我最近发现了TopShelf。从我读过的所有内容来看,它看起来非常酷。唯一的问题是我无法使用它。我不得不错过一些东西。以下是我的代码。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Topshelf;
namespace TestTopShelf {
public class FooBar {
public FooBar() {
}
public void Start() { }
public void Stop() { }
}
public class Program {
public static void Main() {
HostFactory.Run(x => {
x.Service<FooBar>( s => {
});
});
}
}
}
你可以看到它有点不完整。当我尝试为ConstructUsing,WhenStarted和WhenStopped设置's'对象的属性时Visual Studio不会推断出正确的类型。我是lambda表达式的新手,甚至比TopShelf更新,所以我不确定我在做什么。
我在TopShelf文档中使用this page来帮助我入门。它看起来很直接,所以我不确定我错过了什么。
更新代码
using Autofac;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Topshelf;
namespace KeithLink.Svc.Windows.OrderService2 {
class FooBar {
public FooBar() { }
public void Start() { }
public void Stop() { }
}
class Program {
static void Main(string[] args) {
HostFactory.Run(x => {
x.Service<FooBar>(s => {
s.ConstructUsing(name => new OrderService());
s.WhenStarted(os => os.Start());
s.WhenStopped(os => os.Stop());
});
x.RunAsLocalSystem();
x.SetDescription("some service description");
x.SetServiceName("ServiceName");
x.SetDisplayName("Service Display Name");
});
}
}
}
答案 0 :(得分:4)
虽然VisualStudio的智能感知器不能推断出正确的类型,但它仍然应该编译。我不知道topshelf正在做什么,但我记得上次我尝试使用它时遇到了这些问题。
答案 1 :(得分:3)
当你想&#34;注册&#34;使用TopShelf在启动时运行的服务,您可以调用Service<T>.Run
方法 - 您似乎已经开始使用它。在该方法中,您将传递一个HostConfigurator
对象,您可以告诉(配置)TopShelf您的服务。您可以为您的服务配置各种各样的东西,但您通常想告诉它如何实例化您的服务以及如何停止和启动它。你通过传递&#34;代码&#34;来做到这一点。做这些事情。您可以使用lambda来执行此操作,例如:
public static void Main() {
HostFactory.Run(x => {
x.Service<FooBar>( s => {
s.ConstructUsing(name => new FooBar());
s.WhenStarted(fb => fb.Start());
s.WhenStopped(fb => fb.Stop());
});
x.RunAsLocalSystem(); // use the local system account to run as
x.SetDescription("My Foobar Service"); // description seen in services control panel
x.SetDisplayName("FooBar"); // friendly name seen in control panell
x.SetServiceName("foobar"); // used with things like net stop and net start
});
}
此代码不必是lambdas,您可以创建方法来执行此操作(例如,这可能更清楚):
private static void Main(string[] args)
{
HostFactory.Run(x =>
{
x.Service<FooBar>(s =>
{
s.ConstructUsing(CreateService);
s.WhenStarted(CallStart);
s.WhenStopped(CallStop);
});
x.RunAsLocalSystem(); // use the local system account to run as
x.SetDescription("My Foobar Service"); // description seen in services control panel
x.SetDisplayName("FooBar"); // friendly name seen in control panell
x.SetServiceName("foobar"); // used with things like net stop and net start
});
}
private static void CallStop(FooBar fb)
{
fb.Stop();
}
private static void CallStart(FooBar fb)
{
fb.Start();
}
private static FooBar CreateService(HostSettings name)
{
return new FooBar();
}
这可以在FooBar
课程时开始或多或少,如果有更具体的内容,请更新您的问题。
使用这些命名方法,当TopShelf开始运行时(在调用HostFactory.Run
之后),将调用CreateSearch
方法,然后调用CallStart
方法,并在服务时停止后,您的CallStop
将被调用。