我想知道,为什么MailboxProcessor
处理异常的默认策略只是默默地忽略它们。例如:
let counter =
MailboxProcessor.Start(fun inbox ->
let rec loop() =
async { printfn "waiting for data..."
let! data = inbox.Receive()
failwith "fail" // simulate throwing of an exception
printfn "Got: %d" data
return! loop()
}
loop ())
()
counter.Post(42)
counter.Post(43)
counter.Post(44)
Async.Sleep 1000 |> Async.RunSynchronously
什么也没发生。程序执行没有致命停止,或者出现带有"未处理的异常"的消息框。无。
如果有人使用PostAndReply
方法,这种情况会变得更糟:结果是保证的死锁。
这种行为有什么原因吗?
邮箱处理器上有一个Error
事件。
http://msdn.microsoft.com/en-us/library/ee340481
counter.Error.Add(fun e -> printfn "%A" e)
当然,如果你想自己施加精细的控制,你可以做一些类似托马斯解决方案的事情。
我认为 F# 中的MailboxProcessor
不包含任何处理异常的机制的原因是不清楚这样做的最佳方法是什么。例如,您可能希望有一个在发生未经处理的异常时触发的全局事件,但您可能希望在下次调用 Post
或 PostAndReply
时重新引发异常。
这两个选项都可以基于标准MailboxProcessor
实现,因此可以添加所需的行为。例如,以下代码片段显示了添加全局异常处理程序的HandlingMailbox
。它具有与普通MailboxProcessor
相同的接口(我省略了一些方法),但它添加了OnError
异常发生时触发的事件:
type HandlingMailbox<'T> private(f:HandlingMailbox<'T> -> Async<unit>) as self =
let event = Event<_>()
let inbox = new MailboxProcessor<_>(fun inbox -> async {
try
return! f self
with e ->
event.Trigger(e) })
member x.OnError = event.Publish
member x.Start() = inbox.Start()
member x.Receive() = inbox.Receive()
member x.Post(v:'T) = inbox.Post(v)
static member Start(f) =
let mbox = new HandlingMailbox<_>(f)
mbox.Start()
mbox
要使用它,您需要编写与之前编写的代码相同的代码,但您现在可以异步处理异常:
let counter = HandlingMailbox<_>.Start(fun inbox -> async {
while true do
printfn "waiting for data..."
let! data = inbox.Receive()
failwith "fail" })
counter.OnError.Add(printfn "Exception: %A")
counter.Post(42)