异步任务。运行不起作用

时间:2013-10-16 13:18:06

标签: c# asynchronous async-await

我只是编写下面的代码,我希望在C#中有3个具有异步功能的文本文件,但我什么都看不到:

  private async void Form1_Load(object sender, EventArgs e)
        {
            Task<int> file1 = test();
            Task<int> file2 = test();
            Task<int> file3 = test();
            int output1 = await file1;
            int output2 = await file2;
            int output3 = await file3;

        }

  async Task<int> test()
        {
            return await Task.Run(() =>
            {
                string content = "";
                for (int i = 0; i < 100000; i++)
                {
                    content += i.ToString();
                }
                System.IO.File.WriteAllText(string.Format(@"c:\test\{0}.txt", new Random().Next(1, 5000)), content);
                return 1;
            });
        }

2 个答案:

答案 0 :(得分:5)

有一些潜在的问题:

  1. c:\test\是否存在?如果没有,你会收到错误。
  2. 如上所述,您的Random对象可能生成相同的数字,因为当前系统时间用作种子,并且您几乎在同一时间执行这些操作。您可以通过共享static Random实例来解决此问题。编辑:but you need to synchronize the access to it somehow。我在lock实例上选择了一个简单的Random,这不是最快的,但适用于此示例。
  3. 以这种方式构建一个长string是非常低效的(例如,对我来说,在调试模式下大约需要43秒,要做一次)。你的任务可能正常工作,你没有注意到它实际上正在做任何事情,因为它需要很长时间才能完成。使用StringBuilder类(例如大约20毫秒)可以使速度更快。
  4. (这不会影响它是否有效,但更具风格性)您不需要在async中使用awaittest()个关键字写的方法。它们是多余的,因为Task.Run已经返回Task<int>
  5. 这对我有用:

    private async void Form1_Load(object sender, EventArgs e)
    {
        Task<int> file1 = test();
        Task<int> file2 = test();
        Task<int> file3 = test();
        int output1 = await file1;
        int output2 = await file2;
        int output3 = await file3;
    
    }
    static Random r = new Random();
    Task<int> test()
    {
        return Task.Run(() =>
        {
            var content = new StringBuilder();
            for (int i = 0; i < 100000; i++)
            {
                content.Append(i);
            }
            int n;
            lock (r) n = r.Next(1, 5000);
            System.IO.File.WriteAllText(string.Format(@"c:\test\{0}.txt", n), content.ToString());
            return 1;
        });
    }
    

答案 1 :(得分:2)

每次使用不同的Random实例会导致随机数生成每次生成相同的数字!

The random number generation starts from a seed value. If the same seed is used repeatedly, the same series of numbers is generated. 

这是因为Random使用计算机的时间作为种子值,但其精度不足以满足计算机的处理速度。

使用相同的随机数生成器,例如:

internal async Task<int> test()
{
    return await Task.Run(() =>
    {
        string content = "";
        for (int i = 0; i < 10000; i++)
        {
            content += i.ToString();
        }
        System.IO.File.WriteAllText(string.Format(@"c:\test\{0}.txt",MyRandom.Next(1,5000)), content);
        return 1;
    });
}

编辑:

Random也不是线程安全的,所以你应该同步访问它:

public static class MyRandom
{
    private static Random random = new Random();
    public static int Next(int start, int end)
    {
        lock (random)
        {
            return random.Next(start,end);
        }
    }
}