0

我在我的函数中打开 n 个并发线程:

List<string> _files = new List<string>();

    public void Start()
    {
        CancellationTokenSource _tokenSource = new CancellationTokenSource();
        var token = _tokenSource.Token;

        Task.Factory.StartNew(() =>
        {
            try
            {
                Parallel.ForEach(_files,
                    new ParallelOptions
                    {
                        MaxDegreeOfParallelism = 5 //limit number of parallel threads 
                    },
                    file =>
                    {
                        if (token.IsCancellationRequested)
                            return;
                        //do work...
                    });
            }
            catch (Exception)
            { }

        }, _tokenSource.Token).ContinueWith(
            t =>
            {
                //finish...
            }
        , TaskScheduler.FromCurrentSynchronizationContext() //to ContinueWith (update UI) from UI thread
        );
            }

有一种方法可以知道此函数仍在处理该 1 个文件时完成吗?我现在谈论ContinueWith的是在我list完成之后是这样的。

4

1 回答 1

0

不确定我是否完全理解您的问题,但您可以通过以下方法使用一些标准通知:

public void Start()
{
    CancellationTokenSource _tokenSource = new CancellationTokenSource();
    var token = _tokenSource.Token;

    Task.Factory.StartNew(() =>
    {
        try
        {
            Parallel.ForEach(_files,
                new ParallelOptions
                {
                    MaxDegreeOfParallelism = 5 //limit number of parallel threads 
                },
                file =>
                {
                    if (token.IsCancellationRequested)
                        return;
                    //do work...
                    OnDone(file);
                });
        }
        catch (Exception)
        { }

    }, _tokenSource.Token).ContinueWith(
        t =>
        {
            //finish...
        }
    , TaskScheduler.FromCurrentSynchronizationContext() //to ContinueWith (update UI) from UI thread
    );
}

public void OnDone(string fileName)
{
    // Update the UI, assuming you're using WPF
    someUIComponent.Dispatcher.BeginInvoke(...)
}

如果您更新某些共享状态,您可能需要额外的锁,但只更新 UI(例如数据网格中的一行或列表中的元素)应该没问题,因为同步是由调度程序调用强制执行的。

于 2013-11-03T14:54:53.860 回答