16

我在我的 MVC4 应用程序中使用 SignalR 集线器。我添加了 ELMAH 来处理所有错误。问题是集线器中发生的错误没有记录在 ELMAH axd 中。有没有办法配置它?

4

1 回答 1

11

您必须添加一个HubPipelineModule,并确保在您的 errorLog 元素中设置一个 ApplicationName ,否则 Elmah 将无法记录错误,因为它没有 HttpContext 或 AppName 来记录。

<errorLog type="Elmah.SqlErrorLog, Elmah" applicationName="MyAppName" connectionStringName="myConnString" />

我使用的HubPipelineModule 代码如下:

public class ElmahPipelineModule : HubPipelineModule
{
    private static bool RaiseErrorSignal(Exception e)
    {
        var context = HttpContext.Current;
        if (context == null)
            return false;
        var signal = ErrorSignal.FromContext(context);
        if (signal == null)
            return false;
        signal.Raise(e, context);
        return true;
    }

    private static void LogException(Exception e, IHubIncomingInvokerContext invokerContext)
    {
        var context = HttpContext.Current;
        ErrorLog el = ErrorLog.GetDefault(context);
        el.Log(new Error(e));
    }

    protected override void OnIncomingError(Exception ex, IHubIncomingInvokerContext context)
    {
        var exception = ex;
        if (ex is TargetInvocationException)
        {
            exception = ex.InnerException;
        }
        else if (ex is AggregateException)
        {
            exception = ex.InnerException;
        }

        if (!RaiseErrorSignal(exception))
            LogException(exception, context);
    }
}

确保将模块添加到集线器管道:

GlobalHost.HubPipeline.AddModule(new ElmahPipelineModule()); 

编辑

SignalR 2+

我注意到我最近从事的一个项目中没有记录任何 SignalR 异常,并且发现在尝试从当前上下文中获取 ErrorSignal 时会引发 ArgumentNullException。以下方法正确处理此异常,以便再次记录 SignalR 错误。

private static bool RaiseErrorSignal(Exception e)
{
    var context = HttpContext.Current;
    if (context == null)
        return false;

    try
    {
        var signal = ErrorSignal.FromCurrentContext();
        if (signal == null)
            return false;
        signal.Raise(e, context);
        return true;
    }
    catch (ArgumentNullException)
    {
        return false;
    }
}
于 2013-06-26T04:55:59.317 回答