5

注意:我使用的是 JUnit 4.11 和 Netty 3.6.5。

我正在尝试在我复杂的服务器应用程序中测试一些基本功能。我想简单地提取网络功能并进行一些单元测试。但是,当我尝试创建单元测试时,应用程序只是退出了。但是,如果我放一个 dummy public static void main,它可以正常工作,但显然在 JUnit 之外。这是sscce

public class SimpleNetwork {
    private Injector inj;

    @Before
    public void startInjector() {
        Module mod = new AbstractModule() {
            @Override
            protected void configure() {
                // Guice stuff you don't need to see, it works fine
            }
        };
        inj = Guice.createInjector(mod);
    }

    // **When I run this using JUnit, the application ends immediately.**
    @Test
    public void testNetwork() {
        NioServer server = inj.getInstance(NioServer.class);
        server.run();

         // **This prints in both scenarios**
        System.out.println("Hello World");
    }

    // **When I run this, the application works as expected.**
    public static void main(String[] args) {
        SimpleNetwork sn = new SimpleNetwork();

        sn.startInjector();
        sn.testNetwork();
    }
}
4

1 回答 1

4

一旦 junit 线程完成,Junit 将退出测试,而您的 main 将等待非守护线程在退出之前终止。您需要暂停 junit 线程并等待任何事件发生。

目前尚不清楚您要测试什么。

  • 如果您只需要测试您的服务器是否可以启动,那么您当前的测试就是这样做的。特别是,您提供的链接显示了在后台线程中运行的服务器,因此该run方法立即返回。因此,您的测试检查该run方法是否返回没有问题。
  • 如果您想通过发送数据并检查接收到的内容(例如)来实际运行您的服务器。在这种情况下,您需要在相同的测试方法中包含测试服务器的代码。

一个更典型的测试类似的方法是为整个测试类启动一次服务器:

private NioServer server;
@BeforeClass
public void beforeClass() {
    server = getServer();
    server.run();
}

@Test
public void testOne() {
    sendSomeDataToServer("data");
    assertEquals("data", server.getLastReceivedData());
}

(当我使用 testNG 时,我不是 100% 确定 JUnit 语法,但它应该是这样的)

于 2013-06-02T16:28:31.283 回答