需要:
通缉:
背景:
重点:
答案 0 :(得分:8)
鉴于您正在处理数据库队列,由于数据库的事务性质,您可以公平地完成已经完成的工作。典型的队列驱动应用程序有一个循环:
while(1) {
Start transction;
Dequeue item from queue;
process item;
save new state of item;
commit;
}
如果处理中途崩溃,交易将回滚,并在下次服务启动时处理该项目。
但是在数据库中编写队列实际上比你认为的更强大很多。如果你部署一个天真的方法,你会发现你的入队和出队相互阻塞,ashx页面变得没有响应。接下来你会发现dequeue和dequeue都是死锁,你的循环经常遇到错误1205.我强烈建议你阅读这篇文章Using Tables as Queues。
您的下一个挑战是如何将汇集率“恰到好处”。过于激进,您的数据库将从池化请求中炙手可热。太麻烦了,你的队列会在高峰时间增长,而且排水太慢。您应该考虑使用完全不同的方法:使用SQL Server内置的QUEUE
对象并依赖WAITFOR(RECEIVE)
语义的魔力。这允许完全轮询免费的自我调整服务行为。实际上,还有更多:您不需要服务开始。有关我正在谈论的内容的解释,请参阅Asynchronous Procedures Execution:以完全可靠的方式从Web服务调用中在SQL Server中异步启动处理。最后,如果逻辑必须在C#进程中,那么您可以利用External Activator,这允许处理在独立进程中托管,而不是T-SQL过程。
答案 1 :(得分:4)
首先你需要考虑
实施
这是所有这些想法的基本框架。它包括一种调试方法,这是一种痛苦
public partial class Service : ServiceBase{
System.Timers.Timer timer;
public Service()
{
timer = new System.Timers.Timer();
//When autoreset is True there are reentrancy problme
timer.AutoReset = false;
timer.Elapsed += new System.Timers.ElapsedEventHandler(DoStuff);
}
private void DoStuff(object sender, System.Timers.ElapsedEventArgs e)
{
Collection stuff = GetData();
LastChecked = DateTime.Now;
foreach (Object item in stuff)
{
try
{
item.Dosomthing()
}
catch (System.Exception ex)
{
this.EventLog.Source = "SomeService";
this.EventLog.WriteEntry(ex.ToString());
this.Stop();
}
TimeSpan ts = DateTime.Now.Subtract(LastChecked);
TimeSpan MaxWaitTime = TimeSpan.FromMinutes(5);
if (MaxWaitTime.Subtract(ts).CompareTo(TimeSpan.Zero) > -1)
timer.Interval = MaxWaitTime.Subtract(ts).TotalMilliseconds;
else
timer.Interval = 1;
timer.Start();
}
protected override void OnPause()
{
base.OnPause();
this.timer.Stop();
}
protected override void OnContinue()
{
base.OnContinue();
this.timer.Interval = 1;
this.timer.Start();
}
protected override void OnStop()
{
base.OnStop();
this.timer.Stop();
}
protected override void OnStart(string[] args)
{
foreach (string arg in args)
{
if (arg == "DEBUG_SERVICE")
DebugMode();
}
#if DEBUG
DebugMode();
#endif
timer.Interval = 1;
timer.Start();
}
private static void DebugMode()
{
Debugger.Break();
}
}
编辑在Start()
中修复了固定循环编辑结果毫秒与TotalMilliseconds不同
答案 2 :(得分:2)
您可能需要查看Quartz.Net来管理作业的计划。不确定它是否适合您的特定情况,但值得一看。
答案 3 :(得分:1)
根据您的修改,我能想到的一些事情:
回复:工作失败:
Re:争论:
Re:保持服务正常运行
我真的只是在黑暗中瞎逛。我强烈建议对服务进行原型设计,并回答有关其运行方式的任何具体问题。