Blazor客户端应用程序级别异常处理

时间:2019-05-23 02:39:38

标签: exception blazor

如何全局处理客户端Blazor应用程序的应用程序级异常?

2 个答案:

答案 0 :(得分:2)

您可以创建一个处理WriteLine事件的单例服务。由于Console.SetError(this);

,只会在出现错误时触发
public class ExceptionNotificationService : TextWriter
{
    private TextWriter _decorated;
    public override Encoding Encoding => Encoding.UTF8;

    public event EventHandler<string> OnException;

    public ExceptionNotificationService()
    {
        _decorated = Console.Error;
        Console.SetError(this);
    }

    public override void WriteLine(string value)
    {
        OnException?.Invoke(this, value);

        _decorated.WriteLine(value);
    }
}

然后将其添加到ConfigureServices函数的Startup.cs文件中:

services.AddSingleton<ExceptionNotificationService>();

要使用它,您只需在主视图中订阅OnException事件即可。

Source

答案 1 :(得分:2)

@Gerrit的答案不是最新的。现在,您应该使用ILogger处理未处理的异常。

我的例子

public interface IUnhandledExceptionSender
{
    event EventHandler<Exception> UnhandledExceptionThrown;
}

public class UnhandledExceptionSender : ILogger, IUnhandledExceptionSender
{

    public event EventHandler<Exception> UnhandledExceptionThrown;

    public IDisposable BeginScope<TState>(TState state)
    {
        return null;
    }

    public bool IsEnabled(LogLevel logLevel)
    {
        return true;
    }

    public void Log<TState>(LogLevel logLevel, EventId eventId, TState state,
        Exception exception, Func<TState, Exception, string> formatter)
    {            
        if (exception != null)
        {                
            UnhandledExceptionThrown?.Invoke(this, exception);
        }            
    }
}

Program.cs

var unhandledExceptionSender = new UnhandledExceptionSender();
var myLoggerProvider = new MyLoggerProvider(unhandledExceptionSender);
builder.Logging.AddProvider(myLoggerProvider);
builder.Services.AddSingleton<IUnhandledExceptionSender>(unhandledExceptionSender);