0

我试图创建一个返回值的异步方法。使用该方法而不返回时一切正常。可以处理数据,但是添加return子句时出现问题。程序完全冻结没有任何错误或一段时间。

请看代码:

public void runTheAsync(){
   string resp = sendRequest("http://google.com","x=y").Result;
}

public async Task<string> sendRequest(string url, string postdata)
{
    //There is no problem if you use void as the return value , the problem appears when Task<string> used. the program fully go to freeze.
    Console.WriteLine("On the UI thread.");

    string result = await TaskEx.Run(() =>
    {
        Console.WriteLine("Starting CPU-intensive work on background thread...");
        string work = webRequest(url,postdata);
        return work;
    });

    return result;
}

public string webRequest(string url, string postdata)
{
    string _return = "";
    WebClient client = new WebClient();
    byte[] data = Encoding.UTF8.GetBytes(postdata);
    Uri uri = new Uri(url);
    _return = System.Text.Encoding.UTF8.GetString(client.UploadData(uri, "POST", data));
    return _return;
}
4

2 回答 2

2
string resp = sendRequest("http://google.com","x=y").Result;

那是你的问题。如果你调用Resulta Task,它会阻塞直到Task完成。

相反,您可以这样做:

public async void runTheAsync()
{
   string resp = await sendRequest("http://google.com","x=y");
}

async void但是应该避免创建方法。您是否真的可以避免它,取决于您如何称呼它。

于 2012-03-16T18:40:06.310 回答
0

试试这个,省略数据正确性检查等,但你也忽略了它们:-):

public async Task<string> UploadRequestAsync(string url, string postdata) 
{  
    string result = await Encoding.GetString(
        new WebClient().UploadData(new Uri(uri), "POST", Encoding.UTF8.GetBytes(postdata)));
    return result; 
} 

你不知何故做了两次工作,await明确地开始了任务。我很想知道为此生成的代码是什么样的......当然,在生产代码中使用 .NET 4.5 中的正确类。

于 2012-03-16T18:32:21.273 回答