我正在尝试编写一个典型的股票交易程序,该程序从netmq接收股票行情/订单/交易,将流转换为IObservable,并在WPF前端显示它们。我尝试使用 async/await 和 NetMQ 阻止接收字符串(假设我期待一些字符串输入),以便接收字符串循环不会阻塞主 (UI) 线程。由于我仍然是C#的新手,我接受Dave Sexton在这篇文章中的回答:(https://social.msdn.microsoft.com/Forums/en-US/b0cf96b0-d23e-4461-9d2b-ca989be678dc/where-is-iasyncenumerable-in-the-lastest-release?forum=rx)并尝试编写一些这样的示例:
using System;
using System.Threading;
using System.Threading.Tasks;
using System.Collections.Generic;
using NetMQ;
using NetMQ.Sockets;
using System.Reactive;
using System.Reactive.Linq;
namespace App1
{
class MainClass
{
// publisher for testing, should be an external data publisher in real environment
public static Thread StartPublisher(PublisherSocket s)
{
s.Bind("inproc://test");
var thr = new Thread(() => {
Console.WriteLine("Start publishing...");
while (true) {
Thread.Sleep(500);
s.Send("hello");
}
});
thr.Start();
return thr;
}
public static IObservable<string> Receive(SubscriberSocket s)
{
s.Connect("inproc://test");
s.Subscribe("");
return Observable.Create<string>(
async observer =>
{
while (true)
{
var result = await s.ReceiveString();
observer.OnNext(result);
}
});
}
public static void Main(string[] args)
{
var ctx = NetMQContext.Create();
var sub = ctx.CreateSubscriberSocket();
var pub = ctx.CreatePublisherSocket();
StartPublisher(pub);
Receive(sub).Subscribe(Console.WriteLine);
Console.ReadLine();
}
}
}
它无法使用"无法等待字符串"进行编译。虽然我知道它可能期待一个任务,但我不太清楚如何完成整个事情。
再次包装:我试图实现的只是使用简单的阻塞 API 从 netmq 获取 IObservable 的股票代码/订单/交易流,但没有真正阻塞主线程。
我能用它做什么吗?多谢。
熟悉 NetMQ,但你真的应该像这样构建可观察的:
public static IObservable<string> Receive(NetMQContext ctx)
{
return Observable
.Create<string>(o =>
Observable.Using<string, SubscriberSocket>(() =>
{
var sub = ctx.CreateSubscriberSocket();
sub.Connect("inproc://test");
sub.Subscribe("");
return sub;
}, sub =>
Observable
.FromEventPattern<EventHandler<NetMQSocketEventArgs>, NetMQSocketEventArgs>(
h => sub.ReceiveReady += h,
h => sub.ReceiveReady -= h)
.Select(x => sub.ReceiveString()))
.Subscribe(o));
}
这将自动为您创建一个SubscriberSocket
,当可观察量结束时,.Dispose()
将自动在您的套接字上调用。
就像我说的,我不熟悉 NetMQ,所以上面的代码没有收到任何已发布的消息,所以你需要摆弄它才能让它工作,但这是一个很好的起点。
ReceiveString 不可等待,因此只需删除 await。
您还可以在此处阅读如何制作可等待的套接字:http://somdoron.com/2014/08/netmq-asp-net/
并查看以下有关将NetMQ与RX一起使用的文章:
http://www.codeproject.com/Articles/853841/NetMQ-plus-RX-Streaming-Data-Demo-App