如何使用 C# SDK 获取访问令牌

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/9906486/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-08-09 11:09:47  来源:igfitidea点击:

How to get an access token using C# SDK

c#facebook-c#-sdk

提问by avnic

I updated the Facebook SDK to 6.0.10 and some code that used to work is not working anymore. I used to post on users' wall use the method below.

我将 Facebook SDK 更新到 6.0.10,一些曾经工作过的代码不再工作了。我曾经在用户的墙上发帖使用以下方法。

The class FacebookClient used to take the AppId, and AppSecretand I didn't gave it any access token for my application.

FacebookClient 类曾经使用AppId, 并且AppSecret我没有为我的应用程序提供任何访问令牌。

string uId = "SomeUid";
FacebookClient fb = new FacebookClient(AppId,AppSecret );

string userFeedPath = String.Format("/{0}/feed", uId);

dynamic parameters = new ExpandoObject();
parameters.link = "Test@test";
parameters.message = "test";

try
{
    dynamic result = fb.Post(userFeedPath, parameters);
}
catch(Exception ex)
{

}

Now even if I try this,

现在即使我尝试这个,

FacebookClient fb = new FacebookClient();

fb.AppId = "1234...";
fb.AppSecret = "76e69e0c334995cecc8c....";

I'm getting this error:

我收到此错误:

(OAuthException - #200) (#200) This API call requires a valid app_id.

(OAuthException - #200) (#200) 此 API 调用需要有效的 app_id。

How do I fix this problem?

我该如何解决这个问题?

回答by prabir

You will need to get the app access token by making the request.

您需要通过发出请求来获取应用程序访问令牌。

var fb = new FacebookClient();
dynamic result = fb.Get("oauth/access_token", new { 
    client_id     = "app_id", 
    client_secret = "app_secret", 
    grant_type    = "client_credentials" 
});
fb.AccessToken = result.access_token;

回答by Mateusz

For code -> user access token exchange in server-side flow - instead (ver. 5):

对于代码 -> 服务器端流程中的用户访问令牌交换 - 而不是(版本 5):

    FacebookOAuthClient oAuthClient = new FacebookOAuthClient();
    oAuthClient.AppId = "...";
    oAuthClient.AppSecret = "...";
    oAuthClient.RedirectUri = new Uri("https://.../....aspx");

    dynamic tokenResult = oAuthClient.ExchangeCodeForAccessToken(code);
    return tokenResult.access_token;

Now use (ver. 6):

现在使用(版本 6):

    Dictionary<string, object> parameters = new Dictionary<string, object>();
    parameters.Add("client_id", "...");
    parameters.Add("redirect_uri", "https://.../....aspx");
    parameters.Add("client_secret", "...");
    parameters.Add("code", code);

    result = fb.Get("/oauth/access_token", parameters);

    string accessToken = result["access_token"];

(see: http://developers.facebook.com/docs/authentication/server-side/)

(见:http: //developers.facebook.com/docs/authentication/server-side/

回答by Paul Johnson

I have just started using this Facebook library yesterday and thought the lack of the ability to give me the access token without passing from JavaScript was a major shortcoming. Here is a helper that can get the access token. I hope this helps anyone who has had the same frustrations as myself. I think this should all work fine. I had something similar working on a website before I discovered the Facebook NuGetwhich has worked fine for approximately a year now.

我昨天刚刚开始使用这个 Facebook 库,并认为无法在不从 JavaScript 传递的情况下为我提供访问令牌是一个主要缺点。这是一个可以获取访问令牌的助手。我希望这可以帮助任何和我有同样挫折的人。我认为这应该一切正常。在我发现 Facebook NuGet之前,我在一个网站上做过类似的工作,它已经运行了大约一年。

If there's a better way please let me know.

如果有更好的方法请告诉我。

public class FacebookHelper
{
    private string _appId;
    private string _appSecret;
    private string _accessToken;

    public string AccessToken
    {
        get
        {
            if (_accessToken == null)
                GetAccessToken();

            return _accessToken;
        }
        set { _accessToken = value; }
    }

    public FacebookHelper(string appId, string appSecret)
    {
        this._appId = appId;
        this._appSecret = appSecret;
    }

    public string GetAccessToken()
    {
        var facebookCookie = HttpContext.Current.Request.Cookies["fbsr_" + _appId];
        if (facebookCookie != null && facebookCookie.Value != null)
        {
            string jsoncode = System.Text.ASCIIEncoding.ASCII.GetString(FromBase64ForUrlString(facebookCookie.Value.Split(new char[] { '.' })[1]));
            var tokenParams = HttpUtility.ParseQueryString(GetAccessToken((string)JObject.Parse(jsoncode)["code"]));
            _accessToken = tokenParams["access_token"];
            return _accessToken;
        }
        else
            return null;

       // return DBLoginCall(username, passwordHash, cookieToken, cookieTokenExpires, args.LoginType == LoginType.Logout, null);
    }

    private string GetAccessToken(string code)
    {
        //Notice the empty redirect_uri! And the replace on the code we get from the cookie.
        string url = string.Format("https://graph.facebook.com/oauth/access_token?client_id={0}&redirect_uri={1}&client_secret={2}&code={3}", _appId, "", _appSecret, code.Replace("\"", ""));

        System.Net.HttpWebRequest request = System.Net.WebRequest.Create(url) as System.Net.HttpWebRequest;
        System.Net.HttpWebResponse response = null;

        try
        {
            using (response = request.GetResponse() as System.Net.HttpWebResponse)
            {
                System.IO.StreamReader reader = new System.IO.StreamReader(response.GetResponseStream());

                string retVal = reader.ReadToEnd();
                return retVal;
            }
        }
        catch
        {
            return null;
        }
    }

    private byte[] FromBase64ForUrlString(string base64ForUrlInput)
    {
        int padChars = (base64ForUrlInput.Length % 4) == 0 ? 0 : (4 - (base64ForUrlInput.Length % 4));
        StringBuilder result = new StringBuilder(base64ForUrlInput, base64ForUrlInput.Length + padChars);
        result.Append(String.Empty.PadRight(padChars, '='));
        result.Replace('-', '+');
        result.Replace('_', '/');
        return Convert.FromBase64String(result.ToString());
    }
}

回答by Sleeping_Giant

I tried some of the above samples only to find out that dynamic does not compile using xamarin studio. Here is what I did.

我尝试了上面的一些示例只是为了发现 dynamic 不能使用 xamarin studio 进行编译。这是我所做的。

public class AccessTokenModel
{
    public string Access_Token { get; set;}
}

var fb = new FacebookClient();
var result = fb.Get ("oauth/access_token", new { 
    client_id     = App.FaceBookId, 
    client_secret = App.FacebookAppSecret, 
    grant_type    = "client_credentials" 
});
var accessToken = Newtonsoft.Json.JsonConvert.DeserializeObject<AccessTokenModel> (result.ToString ());

or

或者

FBSession.ActiveSession.AccessTokenData.AccessToken;

回答by Guilherme Duarte

There is another method to make calls to the Graph API that doesn't require using a generated app access token. You can just pass your app id and app secret as the access_token parameter when you make a call:

还有另一种调用 Graph API 的方法,不需要使用生成的应用程序访问令牌。您可以在拨打电话时将您的应用程序 ID 和应用程序机密作为 access_token 参数传递:

https://graph.facebook.com/endpoint?key=value&access_token=app_id|app_secret

https://graph.facebook.com/endpoint?key=value&access_token=app_id|app_secret

The choice to use a generated access token vs. this method depends on where you hide your app secret.

使用生成的访问令牌与此方法的选择取决于您隐藏应用程序机密的位置。

From: https://developers.facebook.com/docs/facebook-login/access-tokens

来自:https: //developers.facebook.com/docs/facebook-login/access-tokens

var client = new FacebookClient($"{appId}|{appSecret}");

回答by Avtandil Kavrelishvili

Hare is a real working Method:

野兔是一个真正的工作方法:

protected override string QueryAccessToken(Uri returnUrl, string authorizationCode)
        {
            // Note: Facebook doesn't like us to url-encode the redirect_uri value
            var builder = new UriBuilder("https://graph.facebook.com/oauth/access_token");
            builder.AppendQueryArgument("client_id", this.appId);
            builder.AppendQueryArgument("redirect_uri", NormalizeHexEncoding(returnUrl.GetLeftPart(UriPartial.Path)));
            builder.AppendQueryArgument("client_secret", this.appSecret);
            builder.AppendQueryArgument("code", authorizationCode);

            using (WebClient client = new WebClient())
            {
                //Get Accsess  Token
                string data = client.DownloadString(builder.Uri);
                if (string.IsNullOrEmpty(data))
                {
                    return null;
                }

                var parsedQueryString = HttpUtility.ParseQueryString(data);
                return parsedQueryString["access_token"];
            }
        }
 private static string NormalizeHexEncoding(string url)
        {
            var chars = url.ToCharArray();
            for (int i = 0; i < chars.Length - 2; i++)
            {
                if (chars[i] == '%')
                {
                    chars[i + 1] = char.ToUpperInvariant(chars[i + 1]);
                    chars[i + 2] = char.ToUpperInvariant(chars[i + 2]);
                    i += 2;
                }
            }
            return new string(chars);
        }