I have a class that does some long-running processing with lots of data and writes the output to a stream that I provide. I am trying to put a WCF front on this (using named pipes) but having trouble figuring out how to return the stream. I have something like this so far:
interface IProcessor { Stream GetStream(); }
class Host {
static void Main(string[] args) {
using (ServiceHost sh = new ServiceHost(typeof(Processor), new Uri[]{new Uri("net.pipe://localhost")})) {
var binding = new NetNamedPipeBinding();
binding.TransferMode = TransferMode.StreamedResponse;
sh.AddServiceEndpoint(typeof(IProcessor), binding, "foo");
sh.Open();
Console.WriteLine("Waiting...");
Console.ReadLine();
sh.Close();
}
}
}
class Processor : IProcessor {
Stream GetStream() {
var SourceProcessor = new SourceProcessor(...);
var s = new MemoryStream();
new Task(() => { SourceProcessor.Run(s); }).Start();
return s;
}
}
class Client {
static void Main(string[] args) {
Console.WriteLine("Starting...");
var binding = new NetNamedPipeBinding();
binding.TransferMode = TransferMode.StreamedResponse;
ChannelFactory<IProcessor> f = new ChannelFactory<IProcessor>(binding, new EndpointAddress("net.pipe://localhost/foo"));
Console.WriteLine("Creating channel...");
IProcessor eps = f.CreateChannel();
Console.WriteLine("Getting stream.");
Stream s = eps.GetStream();
StreamReader sr = new StreamReader(s);
while (!sr.EndOfStream) Console.WriteLine(sr.ReadLine());
Console.ReadLine();
}
}
Everything goes through the motions but of course none of the source data makes it through to the client. I'm confused as to how I can do this (maybe I can't) since I need to both return the stream and run the task and potentially wait for the task to finish. If I just call SourceProcessor.Run(s) without being in a task, it would block and buffer, allegedly, but I'm not sure how to make it wait until the task is done while also returning the stream for the client to read...
The problem is WCF will think it the stream is "done" if it calls
Read(
and the call returns 0 bytes.MemoryStream
will happily do that, it will not block reads if there is no data available.The source of your problem is WCF is reading the
MemoryStream
faster than you are writing to it and thinking it is "done", the way to fix it is you will need to return a different type ofStream
that blocks instead of returning 0 when there is no data available. There is nothing built in to .NET that will do this, you will need to either find a 3rd party class or make your own (it may be as simple as derive from MemoryStream and overrideRead
to block reads until a "Done" flag is set (SeeBlockingCollection<T>
and itsCompleteAdding()
method for a similar behavior)).For fun I threw this together, it is totally untested but it might do what you need.
The advantage of this over deriving from
MemoryStream
is once a value has been read by WCF it no longer needs to remain in memory (the entire point of returning aStream
instead of abyte[]
)