我用MSMQ完成了一些原型并遇到了奇怪的行为。
我有MSMQ服务,当有消息进入队列时,它会将数据发送到某个Web服务。我正在关闭Web服务并希望看到System.ServiceModel.ServerTooBusyException
,以便我的消息将返回队列并稍后发送。
我在控制台应用程序中托管MSMQ服务。
现在,如果我同步向Web服务发送数据,那么我会得到预期的行为。如果我异步发送数据,我的控制台应用程序会因未处理的异常System.ServiceModel.ServerTooBusyException
崩溃。
这是伪代码:
控制台
AppDomain.CurrentDomain.UnhandledException += CurrentDomainOnUnhandledException;
using (MSMQServiceHost serviceHost = new MSMQServiceHost(typeof(Service1)))
{
serviceHost.Open();
Console.WriteLine("Press any key to stop service...");
Console.ReadKey(true);
}
private static void CurrentDomainOnUnhandledException(object sender, UnhandledExceptionEventArgs unhandledExceptionEventArgs)
{
MSMQ.Utils.LoggerHelper.GetLogger().ErrorFormat("CurrentDomainOnUnhandledException. {0}", unhandledExceptionEventArgs);
}
服务
[OperationBehavior(TransactionScopeRequired = true)]
public async void GetData(int start, int end)
{
try
{
using (WebServiceReference.Service1Client webClient = new WebServiceReference.Service1Client())
{
string data = await webClient.GetDataAsync(start);
//string data = webClient.GetData(start);
MSMQ.Utils.LoggerHelper.GetLogger().InfoFormat("Received info from web service. Data\t{0}", data);
}
}
catch (Exception e)
{
MSMQ.Utils.LoggerHelper.GetLogger().ErrorFormat("{1}\r\n{0}", e.Message, e.GetType().FullName);
throw;
}
}
在同步调用的情况下,我得到了大量记录的错误,但是应用程序没有崩溃。在异步调用的情况下,我得到相同的记录错误列表加上相同数量的CurrentDomainOnUnhandledException(System.ServiceModel.ServerTooBusyException)
mscorlib.dll!System.Runtime.CompilerServices.AsyncMethodBuilderCore.ThrowAsync.AnonymousMethod__5(对象状态)未知 mscorlib.dll!System.Threading.ExecutionContext.RunInternal(System.Threading.ExecutionContext executionContext,System.Threading.ContextCallback callback,object state,bool preserveSyncCtx)Unknown mscorlib.dll!System.Threading.ExecutionContext.Run(System.Threading.ExecutionContext executionContext,System.Threading.ContextCallback callback,object state,bool preserveSyncCtx)Unknown mscorlib.dll!System.Threading.QueueUserWorkItemCallback.System.Threading.IThreadPoolWorkItem.ExecuteWorkItem()未知 mscorlib.dll!System.Threading.ThreadPoolWorkQueue.Dispatch()未知
我的等待是可观察的 - 我订阅了TaskScheduler.UnobservedTaskException并且没有任何内容。 在这种情况下如何正确使用异步,以便从APM获得所有好处,我的应用程序不会崩溃?
答案 0 :(得分:1)
我明白了。
问题在于我的服务操作中使用async
修饰符。正确的版本:
[OperationBehavior(TransactionScopeRequired = true)]
public async Task GetData(int start, int end)
{
try
{
await Task.Factory.StartNew(() =>
{
using (WebServiceReference.Service1Client webClient = new WebServiceReference.Service1Client())
{
Task<string> data = GetWebClientData(start, webClient);
MSMQ.Utils.LoggerHelper.GetLogger().InfoFormat("Received info from web service. Data\t{0}", data.Result);
}
}
}
catch (Exception e)
{
MSMQ.Utils.LoggerHelper.GetLogger().ErrorFormat("{1}\r\n{0}", e.Message, e.GetType().FullName);
throw;
}
}
private static async Task<string> GetWebClientData(int start, WebServiceReference.Service1Client webClient)
{
return await webClient.GetDataAsync(start);
}