mockito: аннотированный метод «шпион» запускается после объявления

Я пытаюсь создать скелет будущего приложения, используя: java 8, windows 10, intelliJ, junit5, mockito. У меня возникла проблема при запуске теста с использованием mockito, это первый тест, который я пишу с помощью шпионов, и он не работает.

Кажется, что оператор when(client_spy.try_to_connect(anyString(),anyInt())).thenReturn(null); приводит к выполнению метода, который не ожидается: я только хочу сказать mockito, чтобы он возвращал null, когда вызывается метод try_to_connect. Таким образом, метод вызывается в тесте, причем без параметров, поэтому я получаю ошибку в этом методе.

вот тестовый класс (некоторые части):

@ExtendWith(MockitoExtension.class)
public class unitTestsTry2 {

    private static final String LOCAL_IP = "localhost";
    private static final String REMOTE_IP = "localhost";
    private static final String LOCAL_PORT = "1001";
    private static final String REMOTE_PORT = "1002";
    private static  ApplicationRunner apr=new ApplicationRunner();

    @Spy
    ClientExtremity client_spy=new ClientExtremity();

(...)
    @Test
    void startupAndTryToConnect() {
        apr.client_endpoint = client_spy;
        when(client_spy.try_to_connect(anyString(),anyInt()))
                .thenReturn(null);  <--- THE FAULTLY LINE

        apr.main(new String[]{LOCAL_IP,LOCAL_PORT,REMOTE_IP,REMOTE_PORT});

        verify(((ClientOrders)apr.client_endpoint)).try_to_connect(REMOTE_IP,Integer.parseInt(REMOTE_PORT));

    }
}

вот мой файл градиента:

buildscript {
    dependencies {
        classpath group: 'de.dynamicfiles.projects.gradle.plugins', name: 'javafx-gradle-plugin', version: '8.8.2'
    }
    repositories {
        mavenLocal()
        mavenCentral()

    }
}

plugins {
    id 'java'
}

group 'lorry'
version '1'

sourceCompatibility = 1.8

repositories {
    mavenLocal()
    mavenCentral()
    maven { url "https://dl.bintray.com/mockito/maven" }
}

apply plugin: 'javafx-gradle-plugin'

test {
    useJUnitPlatform()

}

compileJava.dependsOn clean

jfx {
    // minimal requirement for jfxJar-task
    mainClass = 'lorry.ApplicationRunner'

    // minimal requirement for jfxNative-task
    vendor = 'YourName'

    launcherArguments = ["localhost", "1001", "localhost", "1002"]

    // gradle jfxRun
    runJavaParameter = null // String
    //runAppParameter = "localhost" "1001" "localhost" "1002" // String

    jfxMainAppJarName = "chat.jar"
}

dependencies {

    //testCompile group: 'junit', name: 'junit', version: '4.12'
    compile group: 'javax.websocket', name: 'javax.websocket-api', version: '1.1'
    compile group: 'com.google.code.gson', name: 'gson', version: '2.8.5'
    //testImplementation('org.junit.jupiter:junit-jupiter-api:5.2.0')
    //testRuntimeOnly('org.junit.jupiter:junit-jupiter-engine:5.2.0')


    def final junitVersion = "5.2.0"
    compile group: 'com.google.inject', name: 'guice', version: '4.1.0'
    //compile group: 'com.google.code.gson', name: 'gson', version: '2.8.2'
    compile group: 'org.junit.jupiter', name: 'junit-jupiter-api', version: junitVersion
    compile group: 'org.assertj', name: 'assertj-core', version: '3.9.0'
    compile group: 'org.apache.commons', name: 'commons-lang3', version: '3.7'

    testCompile group: 'org.junit.jupiter', name: 'junit-jupiter-params', version: junitVersion
    testCompile group: 'org.mockito', name: 'mockito-core', version: '2.21.0'
    testCompile 'org.mockito:mockito-junit-jupiter:2.21.0'
    testCompile group:'org.junit.jupiter',name:'junit-jupiter-api',version:  junitVersion
    testRuntime group: 'org.junit.jupiter', name: 'junit-jupiter-engine', version: junitVersion

    compile 'org.hamcrest:hamcrest-all:1.3'

    testCompile "org.testfx:testfx-core:4.0.13-alpha"
    testCompile 'org.testfx:testfx-junit5:4.0.13-alpha'

    compile group: 'org.glassfish.tyrus', name: 'tyrus-server', version: '1.13.1'
    // https://mvnrepository.com/artifact/org.glassfish.tyrus/tyrus-client
    compile group: 'org.glassfish.tyrus', name: 'tyrus-client', version: '1.13.1'


}


jar {
    baseName = 'Chat'
    version = ''
    manifest {
        attributes(
                'Class-Path': configurations.compile.collect { it.getName() }.join(' '),
                'Main-Class': 'lorry.Chat'
        )
    }
}

РЕДАКТИРОВАТЬ спасибо за ваши ответы. Я изменил свой код:

@Spy
public ClientExtremity client_spy=new ClientExtremity();

@Test
void startupAndTryToConnect() {
    apr.client_endpoint = client_spy;
    when(client_spy).try_to_connect(anyString(),anyInt()).thenReturn(null);

    apr.main(new String[]{LOCAL_IP,LOCAL_PORT,REMOTE_IP,REMOTE_PORT});

    verify(((ClientOrders)apr.client_endpoint)).try_to_connect(REMOTE_IP,Integer.parseInt(REMOTE_PORT));

}

но intelliJ говорит мне: Ошибка: (73, 25) java: не удается найти символ: метод try_to_connect (java.lang.String, int) расположение: интерфейс org.mockito.stubbing.OngoingStubbing

имея следующий clientExtremity:

@ClientEndpoint(encoders = MessageEncoder.class, decoders = MessageDecoder.class)
public class ClientExtremity implements ClientOrders {



        @OnMessage
        public void onMessage(Message message) {

        }

    @Override
    public Session try_to_connect(String remote_ip, Integer remote_port) {
        ClientManager client = ClientManager.createClient();
        Session session;
        try {
            session = client.connectToServer(ClientExtremity.class, new URI(
                    format("wss://%1$2s:%2$2d/chat",remote_ip,remote_port)
            ));
        } catch (Exception e) {
            e.printStackTrace();
            session=null;
        }
        return session;
    }
}

Я не могу понять, почему объявление try_to_connect в тестовом методе не работает.

РЕДАКТИРОВАТЬ 2 здесь applicationRunner:

public class ApplicationRunner {

    public static String localIP, remoteIP;
    public static int localPort, remotePort;
    public static Fenetre fenetre = new Fenetre();
    public static Session session=null;
    public static ClientExtremity client_endpoint=new ClientExtremity();

    public static void init(String[] args) {
        localIP = args[0];
        localPort = Integer.parseInt(args[1]);
        remoteIP = args[2];
        remotePort = Integer.parseInt(args[3]);

        try {
            new Thread(fenetre).start();

        } catch (Exception e) {
            e.printStackTrace();
        }

        session = ((ClientOrders) client_endpoint).try_to_connect(localIP,localPort);



    }

    public static void main (String[]args){
        init(args);

    }
}

person lolveley    schedule 05.09.2018    source источник
comment
Я настоятельно рекомендую вам прочитать javadoc Mockito.spy(), в нем подробно объясняется, что использование when() со шпионами опасно и может привести к такому поведению. Что касается улучшения вашего сообщения, а не показа вашего build.gradle, вы должны добавить свой ApplicationRunner.   -  person Jeremy Grand    schedule 05.09.2018


Ответы (1)


Окей, сделано. правильный код:

@Test
    void startupAndTryToConnect() {
        ClientExtremity client_spy = spy(new ClientExtremity());
        apr.client_endpoint = client_spy;
        doReturn(null).when(client_spy).try_to_connect(anyString(), anyInt());

        apr.init(new String[]{LOCAL_IP,LOCAL_PORT,REMOTE_IP,REMOTE_PORT});

        verify(client_spy).try_to_connect(REMOTE_IP,Integer.parseInt(REMOTE_PORT));

    }

Я нуждался в:

  • изменить @spy методом 'spy'
  • используйте doReturn/etc... вместо when/etc...
  • в doReturn и проверке единственным аргументом является экземпляр класса, вы должны написать, например. verify(someObjectInstance,optionalAdditionalParameters).someMethod(someArgsWithMatchers)
  • и поскольку я больше не использую @ExtendWith(MockitoExtension.class), мне пришлось поместить MockitoAnnotations.initMocks(unitTestsTry2.class); в аннотированный метод @BeforeAll.
person lolveley    schedule 05.09.2018