我正在使用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 中的显式配置和易于安装。