我实现了一个进程间消息传递系统,例如,客户端可以从服务器请求某些数据。服务器需要能够以部分重复的形式发回其回复,并且还需要能够在发生任何异常时保证客户端的无效。
目前,我通过3种消息类型执行此操作:
class PartialResponse : ResponseMessage { ... }
class ResponseError : ResponseMessage { ... }
class ResponseComplete : ResponseMessage { ... ]
所以,例如客户端请求数据,服务器发回0-N PartialResponse消息,后跟ResponseError或ResponseComplete。
我使用的库(Obvs with NetMQ作为其传输层)将所有可能的消息流公开为
IObservable<ResponseMessage>
虽然这个可观察的流永远不会完成,但我相信也不会出错(除非可能是某些Obvs / NetMQ内部异常等)。
我希望将其转换为IObservable&lt; PartialResponse&gt;,它在原始流推送ResponseComplete消息时完成,并在遇到ResponseError消息或输入流中的实际错误时出现故障。例如。类似的东西:
IObservable<PartialResponse> transform(IObservable<ResponseMessage> input)
{
var subject = new Subject<PartialResponse>();
input.Subscribe(
x =>
{
if(x is PartialResponse r)
subject.OnNext(r);
else if(x is ResponseComplete)
subject.OnCompleted();
else if(x is ResponseError err)
subject.OnError(new Exception(err?.ToString()));
else
throw new InvalidOperationException();
},
ex =>
{
subject.OnError(ex);
}
);
return subject;
}
这段代码应该可以正常工作,但可能非常糟糕 - 尤其是因为它直接订阅了输入可观察序列。
是否有更好/更清晰的方法来转换可观察序列?
答案 0 :(得分:3)
这是@Enigmativity的答案充实:
var input = new Subject<ResponseMessage>();
var partialResponseObservable = input
.Select(msg =>
(msg is PartialResponse r)
? Notification.CreateOnNext(r)
: (msg is ResponseComplete)
? Notification.CreateOnCompleted<PartialResponse>()
: (msg is ResponseError err)
? Notification.CreateOnError<PartialResponse>(new Exception(err?.ToString()))
: throw new InvalidOperationException()
)
.Dematerialize();
或类型匹配(可能读得更好):
var partialResponseObservable = input
.Select(msg =>
{
switch(msg)
{
case PartialResponse r:
return Notification.CreateOnNext(r);
case ResponseComplete rc:
return Notification.CreateOnCompleted<PartialResponse>();
case ResponseError err:
return Notification.CreateOnError<PartialResponse>(new Exception(err?.ToString()));
default:
throw new InvalidOperationException();
}
})
.Dematerialize();