1

所以我有一个用 c# 编写的 Windows 服务。服务类派生自ServiceBase,启动和停止服务分别调用实例方法OnStartOnStop。这是该课程的SSCE:

partial class CometService : ServiceBase
{
    private Server<Bla> server;
    private ManualResetEvent mre;
    public CometService()
    {
        InitializeComponent();
    }       
    protected override void OnStart(string[] args)
    {
        //starting the server takes a while, but we need to complete quickly
        //here so let's spin off a thread so we can return pronto.
        new Thread(() =>
        {
            try
            {
                server = new Server<Bla>();
            }
            finally
            {
                mre.Set()
            }
        })
        {
            IsBackground = false
        }.Start();
    }

    protected override void OnStop()
    {
        //ensure start logic is completed before continuing
        mre.WaitOne();
        server.Stop();
    }
}

可以看出,有很多逻辑要求当我们调用时OnStop,我们正在处理与调用时相同的ServiceBase实例OnStart

我可以确定是这种情况吗?

4

2 回答 2

2

如果您查看Program.cs该类,您将看到如下代码:

private static void Main()
{
    ServiceBase.Run(new ServiceBase[]
                {
                    new CometService()
                });
}

也就是说,实例是由您自己的项目中的代码创建的。这是所有 Service Manager 调用(包括OnStartand OnStop)都针对的一个实例。

于 2012-05-29T13:44:30.980 回答
1

我猜是同一个例子。您可以进行快速测试,在类中添加一个静态字段以跟踪对 OnStart 中使用的对象的引用并将其与 OnStop 的实例进行比较。

private static CometService instance = null;

protected override void OnStart(...)
{
    instance = this;
    ...
}

protected override void OnStop()
{
    object.ReferenceEquals(this, instance);
    ...
}
于 2012-05-29T13:22:47.307 回答