6

我正在使用Topshelf托管用 C# 编写的 Windows 服务,现在我想编写一些集成测试。我的初始化代码保存在启动器类中,如下所示:

public class Launcher
{
    private Host host;

    /// <summary>
    /// Configure and launch the windows service
    /// </summary>
    public void Launch()
    {
        //Setup log4net from config file
        log4net.Config.XmlConfigurator.ConfigureAndWatch(new FileInfo(DEFAULT_CONFIG));

        //Setup Ninject dependency injection
        IKernel kernel = new StandardKernel(new MyModule());

        this.host = HostFactory.New(x =>
        {
            x.SetServiceName("MyService");
            x.SetDisplayName("MyService");
            x.SetDescription("MyService");

            x.RunAsLocalSystem();
            x.StartAutomatically();

            x.Service<MyWinService>(s =>
            {
                s.ConstructUsing(() => kernel.Get<MyWinService>());
                s.WhenStarted(w => w.Start());
                s.WhenStopped(w => w.Stop());
            });
        });

        this.host.Run(); //code blocks here
    }

    /// <summary>
    /// Dispose the service host
    /// </summary>
    public void Dispose()
    {
        if (this.host != null && this.host is IDisposable)
        {
            (this.host as IDisposable).Dispose();
            this.host = null;
        }
    }
}

我想编写一些集成测试来确保 log4net 和 Ninject 设置正确并且 Topshelf 启动我的服务。问题是,一旦你调用Run()Topshelf 主机,代码就会阻塞,所以我的测试代码永远不会运行。

我想Launch()在我的测试部分调用一个单独的线程,SetUp但是我需要一些技巧来Thread.Sleep(1000)确保测试在Launch()完成之前不会运行。我无法在其上使用正确的同步(例如 a ManualResetEvent),因为它Launch()永远不会返回。当前代码是:

private Launcher launcher;
private Thread launchThread;

[TestFixtureSetUp]
public void SetUp()
{
    launcher = new Launcher();
    launchThread = new Thread(o => launcher.Launch());
    launchThread.Start();
    Thread.Sleep(2500); //yuck!!
}

[TestFixtureTearDown]
public void TearDown()
{
    if (launcher != null)
    {
        launcher.Dispose(); //ouch
    }
}

理想情况下,我正在寻找的是一种启动服务的非阻塞方式和一种再次停止它以放入我的TearDown. 目前我TearDown刚刚处理了发射器(所以从TearDown字面上撕下来!)。

有没有人以这种方式测试 Topshelf 服务的经验?我可以使用标准相对轻松地完成上述操作,ServiceHost但我更喜欢 Topshelf 中的显式配置和易于安装。

4

2 回答 2

2

https://github.com/Topshelf/Topshelf/blob/v2.3/src/Topshelf/Config/Builders/RunBuilder.cs#L113我认为这就是你想要的。AfterStartingService可用于ManualResetEvent从不同的线程设置 a。

现在这可能对您有用,但这感觉过于复杂,只需部署到 dev/staging 并对您的系统进行冒烟测试即可验证。但是,如果不进一步了解您的环境,这可能是不可能的。

于 2012-08-01T12:25:35.653 回答
0

我今天遇到了同样的问题,我选择将服务实例化和交互与实际的 Topshelf 托管隔离开来(在您的案例中,它只包括使用 Ninject 解决您的服务)。

Adam Rodger 有一个公平的观点,在快速查看了 的 Run 方法后ConsoleRunHost,它实际上会挂起等待 aManualResetEvent并且在服务终止之前不会给你控制权。

在您的位置,要对冒烟/回归测试进行编码,只需将内核和模块放入您的SetUp方法中,解析服务,进行测试并将其丢弃在TearDown

于 2017-01-11T00:27:43.460 回答