首页 > 解决方案 > 如何在 RestSharp 中使用 ExecuteAsync 返回变量

问题描述

我在异步方法中返回变量时遇到问题。我能够让代码执行,但我无法让代码返回电子邮件地址。

    public async Task<string> GetSignInName (string id)
    {

        RestClient client = new RestClient("https://graph.windows.net/{tenant}/users");
        RestRequest request = new RestRequest($"{id}");
        request.AddParameter("api-version", "1.6");
        request.AddHeader("Authorization", $"Bearer {token}");
        //string emailAddress = await client.ExecuteAsync<rootUser>(request, callback);

        var asyncHandler = client.ExecuteAsync<rootUser>(request, response =>
        {
            CallBack(response.Data.SignInNames);
        });

        return "test"; //should be a variable
    }

标签: c#.netasynchronousrestsharp

解决方案


RestSharp 内置了用于执行基于任务的异步模式 (TAP) 的方法。这是通过RestClient.ExecuteTaskAsync<T>方法调用的。这会给您一个响应,并且该response.Data属性将具有您的通用参数的反序列化版本(在您的情况下为 rootUser)。

public async Task<string> GetSignInName (string id)
{
    RestClient client = new RestClient("https://graph.windows.net/{tenant}/users");
    RestRequest request = new RestRequest($"{id}");
    request.AddParameter("api-version", "1.6");
    request.AddHeader("Authorization", $"Bearer {token}");        
    var response = await client.ExecuteTaskAsync<rootUser>(request);

    if (response.ErrorException != null)
    {
        const string message = "Error retrieving response from Windows Graph API.  Check inner details for more info.";
        var exception = new Exception(message, response.ErrorException);
        throw exception;
    }

    return response.Data.Username;
}

请注意,这rootUser不是 C# 中类的好名称。我们通常的约定是 PascalCase 类名,所以它应该是 RootUser。


推荐阅读