我在确定如何在循环TPL数据流中检测完成时遇到问题。
我在数据流的一部分中有一个反馈循环,它向远程服务器发出GET
请求并处理数据响应(使用更多数据流转换这些响应然后提交结果)。
数据源将其结果拆分为1000条记录的页面,并且不会告诉我它有多少页面可供我使用。我必须继续阅读,直到我得到不到一整页的数据。
通常页数是1,经常是10,每次我们都有1000个。
我有很多要求在开始时提取。
我希望能够使用一个线程池来处理这个,所有这些都很好,我可以排队多个数据请求并同时请求它们。如果我偶然遇到需要获取大量页面的实例,我想要使用我的所有线程。我不想留下一个线索,而其他人已经完成了。
我遇到的问题是当我将此逻辑放入数据流时,例如:
//generate initial requests for activity
var request = new TransformManyBlock<int, DataRequest>(cmp => QueueRequests(cmp));
//fetch the initial requests and feedback more requests to our input buffer if we need to
TransformBlock<DataRequest, DataResponse> fetch = null;
fetch = new TransformBlock<DataRequest, DataResponse>(async req =>
{
var resp = await Fetch(req);
if (resp.Results.Count == 1000)
await fetch.SendAsync(QueueAnotherRequest(req));
return resp;
}
, new ExecutionDataflowBlockOptions { MaxDegreeOfParallelism = 10 });
//commit each type of request
var commit = new ActionBlock<DataResponse>(async resp => await Commit(resp));
request.LinkTo(fetch);
fetch.LinkTo(commit);
//when are we complete?
QueueRequests
生成IEnumerable<DataRequest>
。我立刻将下一个N页请求排队,接受这意味着我发送的呼叫数量比我需要的多一些。 DataRequest实例共享一个LastPage计数器,以避免无意中发出我们知道在最后一页之后的请求。这一切都很好。
问题:
如果我通过将更多请求反馈到fetch的输入缓冲区来循环,就像我在本例中所示,那么我对如何发信号(甚至检测)完成有疑问。我无法在请求提取时设置完成,因为一旦设置完成,我就无法再反馈了。
我可以在fetch上监视输入和输出缓冲区是否为空,但是我认为在设置完成时我仍然冒着获取仍然忙于请求的风险,因此阻止了对其他页面的排队请求。
我可以通过某种方式知道提取繁忙(输入或正在忙于处理输入)。
我是否错过了一种明显/直接的解决方法?
我可以在fetch中循环,而不是排队更多请求。问题是我希望能够使用设置的最大线程数来限制我正在对远程服务器做的事情。块内的并行循环是否可以与块本身共享调度程序,并通过调度程序控制生成的线程数?
我可以为fetch创建一个自定义变换块来处理完成信令。对于这样一个简单的场景,似乎有很多工作。
非常感谢您提供的任何帮助!
答案 0 :(得分:1)
在TPL数据流中,您可link the blocks与DataflowLinkOptions
一起指定propagation of completion of the block:
request.LinkTo(fetch, new DataflowLinkOptions { PropagateCompletion = true });
fetch.LinkTo(commit, new DataflowLinkOptions { PropagateCompletion = true });
之后,您只需调用request
块的Complete()
方法,即可完成!
// the completion will be propagated to all the blocks
request.Complete();
你应该使用的最后一件事是最后一个块的Completion
任务属性:
commit.Completion.ContinueWith(t =>
{
/* check the status of the task and correctness of the requests handling */
});
答案 1 :(得分:0)
现在我已经为获取块添加了一个简单的忙状态计数器: -
int fetch_busy = 0;
TransformBlock<DataRequest, DataResponse> fetch_activity=null;
fetch = new TransformBlock<DataRequest, ActivityResponse>(async req =>
{
try
{
Interlocked.Increment(ref fetch_busy);
var resp = await Fetch(req);
if (resp.Results.Count == 1000)
{
await fetch.SendAsync( QueueAnotherRequest(req) );
}
Interlocked.Decrement(ref fetch_busy);
return resp;
}
catch (Exception ex)
{
Interlocked.Decrement(ref fetch_busy);
throw ex;
}
}
, new ExecutionDataflowBlockOptions { MaxDegreeOfParallelism = 10 });
然后我用它来表示完整如下: -
request.Completion.ContinueWith(async _ =>
{
while ( fetch.InputCount > 0 || fetch_busy > 0 )
{
await Task.Delay(100);
}
fetch.Complete();
});
这看起来并不优雅,但我认为应该有效。