带有await的ThreadAbortException

时间:2014-02-27 13:12:31

标签: c# multithreading exception task async-await

我正面临着一个奇怪的错误。 我有100个长时间运行的任务,我想在同一时间运行其中的10个。

我发现了一些非常类似于我需要的东西:节流部分中的http://msdn.microsoft.com/en-us/library/hh873173%28v=vs.110%29.aspx

简化后的C#代码:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;

namespace ConsoleApplication1
{
    public class Program
    {
        static void Main(string[] args)
        {
            Test();
        }

        public static async void Test()
        {
            var range = Enumerable.Range(1, 100).ToList();

            const int CONCURRENCY_LEVEL = 10;
            int nextIndex = 0;
            var matrixTasks = new List<Task>();

            while (nextIndex < CONCURRENCY_LEVEL && nextIndex < range.Count())
            {
                int index = nextIndex;
                matrixTasks.Add(Task.Factory.StartNew(() => ComputePieceOfMatrix()));
                nextIndex++;
            }

            while (matrixTasks.Count > 0)
            {
                try
                {
                    var imageTask = await Task.WhenAny(matrixTasks);
                    matrixTasks.Remove(imageTask);
                }
                catch (Exception e)
                {
                    Console.Write(1);
                    throw;
                }

                if (nextIndex < range.Count())
                {
                    int index = nextIndex;
                    matrixTasks.Add(Task.Factory.StartNew(() => ComputePieceOfMatrix()));
                    nextIndex++;
                }
            }

            await Task.WhenAll(matrixTasks); 
        }

        private static void ComputePieceOfMatrix()
        {
            try
            {
                for (int j = 0; j < 10000000000; j++) ;
            }
            catch (Exception e)
            {
                Console.Write(2);
                throw;
            }
        }
    }
}

从单元测试运行时,在ComputePieceOfMatrix中有一个ThreadAbortException。

你有什么想法吗?

编辑:

根据评论,我试过这个:

static void Main(string[] args)
{
    Run();
}

private static async void Run()
{
    await Test();
}

public static async Task Test()
{
    var range = Enumerable.Range(1, 100).ToList();

但它完全一样。

3 个答案:

答案 0 :(得分:1)

Test()的返回类型更改为Task,然后在程序结束前等待Task完成。

static void Main(string[] args)
{
    Test().Wait();
}

public static async Task Test()
{
    // ...
}

答案 1 :(得分:1)

1.您的代码会导致异常

try
{
    for (int j = 0; j < 10000000000; j++) ;
}
catch (Exception e)
{
    Console.Write(2);
    throw;
}

只是一个简单的OverflowException,因为10000000000 - 是long和j counter int。

2.在主线完成之前,您的主踏板正在退出。很可能你得到ThreadAbortException,因为线程被运行时关闭

3.await Test() - 正确地调用Test(),并等待Task.WhenAny而不等待

答案 2 :(得分:0)

我会将你的测试从void更改为Task返回类型,并且在main方法中我将代替Test();

Task t = Test();
t.Wait();