Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

await httpClient.SendAsync(httpContent) is non responsive

await httpClient.SendAsync(httpContent) is not responding though I found no error in code/url its still getting hang. Please suggest/help.

My code as follows:

public async Task<string> Get_API_Result_String(string url, List<KeyValuePair<string, string>> parameters)
{
    string res = "";

    try
    {
        IsolatedStorageSettings settings = IsolatedStorageSettings.ApplicationSettings;

        //Prepare url
        Uri mainurl = new Uri(settings[FSAPARAM.UserSettingsParam.SERVERNAME].ToString());
        Uri requesturl = new Uri(mainurl, url);

        var httpClient = new HttpClient();
        var httpContent = new HttpRequestMessage(HttpMethod.Post, requesturl);
        // httpContent.Headers.ExpectContinue = false;

        httpContent.Content = new FormUrlEncodedContent(parameters);

        HttpResponseMessage response = await httpClient.SendAsync(httpContent);

        var result = await response.Content.ReadAsStringAsync();
        res = result.ToString();

        response.Dispose();
        httpClient.Dispose();
        httpContent.Dispose();
    }
    catch (Exception ex)
    {
        Logger l = new Logger();
        l.LogInfo("Get_API_Result_String: "+ url + ex.Message.ToString());
        ex = null;
        l = null;
    }

    return res;
}

Calling it in another class as follows:

NetUtil u = new NetUtil();
string result = await u.Get_API_Result_String(Register_API, values);
u = null;
like image 345
Priti Avatar asked Oct 31 '13 10:10

Priti


3 Answers

I predict that further up your call stack, you are calling Wait or Result on a returned Task. This will cause a deadlock that I explain fully on my blog.

To summarize, await will capture a context and use that to resume the async method; on a UI application this is a UI thread. However, if the UI thread is blocked (in a call to Wait or Result), then that thread is not available to resume the async method.

like image 54
Stephen Cleary Avatar answered Nov 15 '22 21:11

Stephen Cleary


this worked for me:

httpClient.SendAsync(httpContent).ConfigureAwait(false);
like image 15
Guillermo Varini Avatar answered Nov 15 '22 23:11

Guillermo Varini


I just removed await and just used as below and it worked:

var result = httpClient.SendAsync(httpContent).Result;

But that is not a good practice. As Nikola mentioned, we shouldn't mix sync and async calls.
I changed the calling method to async and problem got resolved.

like image 1
Sanjay Tank Avatar answered Nov 15 '22 21:11

Sanjay Tank