检查accessstoken是否已过期Facebook SDK 4.7 ios

时间:2015-10-29 07:52:03

标签: ios objective-c facebook access-token

我正在使用facebook sdk 4.7,我需要检查一下accessstoken是否过期。

FBSDKAccessToken *access_token = [FBSDKAccessToken currentAccessToken];
    if (access_token != nil) {
        //user is not logged in

        //How to Check if access token is expired?
        if ([access_token isExpired]) {
            //access token is expired ......
            //
        }
    }

如果我成功,我必须再次登录用户。

SDK提供expiration_date.how可以帮助吗?设备可能有错误的日期。

2 个答案:

答案 0 :(得分:7)

假设用户之前已经使用Facebook登录并且有[FBSDKAccessToken currentAccessToken] != nil(我在这里不会详细介绍,因为通过FB登录是另一个故事)。

在我的应用中,我执行以下操作以确保FB访问令牌始终有效并与我的应用服务器同步。

为了简单起见,以下所有代码都在AppDelegate.m

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
    // ...

    /** 
        Add observer BEFORE FBSDKApplicationDelegate's 
        application:didFinishLaunchingWithOptions: returns

        FB SDK sends the notification at the time it 
        reads token from internal cache, so our app has a chance 
        to be notified about this.
    */
    [[NSNotificationCenter defaultCenter] addObserver:self 
                                             selector:@selector(fbAccessTokenDidChange:) 
                                                 name:FBSDKAccessTokenDidChangeNotification 
                                               object:nil];

    return [[FBSDKApplicationDelegate sharedInstance] application: application didFinishLaunchingWithOptions: launchOptions];
}

- (void)fbAccessTokenDidChange:(NSNotification*)notification
{
    if ([notification.name isEqualToString:FBSDKAccessTokenDidChangeNotification]) {

        FBSDKAccessToken* oldToken = [notification.userInfo valueForKey: FBSDKAccessTokenChangeOldKey];
        FBSDKAccessToken* newToken = [notification.userInfo valueForKey: FBSDKAccessTokenChangeNewKey];

        NSLog(@"FB access token did change notification\nOLD token:\t%@\nNEW token:\t%@", oldToken.tokenString, newToken.tokenString);

        // initial token setup when user is logged in
        if (newToken != nil && oldToken == nil) {

            // check the expiration data

            // IF token is not expired
            // THEN log user out
            // ELSE sync token with the server

            NSDate *nowDate = [NSDate date];
            NSDate *fbExpirationDate = [FBSDKAccessToken currentAccessToken].expirationDate;
            if ([fbExpirationDate compare:nowDate] != NSOrderedDescending) {
                NSLog(@"FB token: expired");

                // this means user launched the app after 60+ days of inactivity,
                // in this case FB SDK cannot refresh token automatically, so 
                // you have to walk user thought the initial log in with FB flow

                // for the sake of simplicity, just logging user out from Facebook here
                [self logoutFacebook];
            }
            else {
                [self syncFacebookAccessTokenWithServer];
            }
        }

        // change in token string
        else if (newToken != nil && oldToken != nil
            && ![oldToken.tokenString isEqualToString:newToken.tokenString]) {
            NSLog(@"FB access token string did change");

            [self syncFacebookAccessTokenWithServer];
        }

        // moving from "logged in" state to "logged out" state
        // e.g. user canceled FB re-login flow
        else if (newToken == nil && oldToken != nil) {
            NSLog(@"FB access token string did become nil");
        }

        // upon token did change event we attempting to get FB profile info via current token (if exists)
        // this gives us an ability to check via OG API that the current token is valid
        [self requestFacebookUserInfo];
    }
}

- (void)logoutFacebook
{
    if ([FBSDKAccessToken currentAccessToken]) {
        [[FBSDKLoginManager new] logOut];
    }
}

- (void)syncFacebookAccessTokenWithServer
{
    if (![FBSDKAccessToken currentAccessToken]) {
        // returns if empty token
        return;
    }

    // BOOL isAlreadySynced = ...
    // if (!isAlreadySynced) {
        // call an API to sync FB access token with the server
    // }
}

- (void)requestFacebookUserInfo
{
    if (![FBSDKAccessToken currentAccessToken]) {
        // returns if empty token
        return;
    }

    NSDictionary* parameters = @{@"fields": @"id, name"};
    FBSDKGraphRequest *request = [[FBSDKGraphRequest alloc] initWithGraphPath:@"me"
                                                                   parameters:parameters];

    [request startWithCompletionHandler:^(FBSDKGraphRequestConnection *connection, id result, NSError *error) {
        NSDictionary* user = (NSDictionary *)result;
        if (!error) {
            // process profile info if needed
        }
        else {
            // First time an error occurs, FB SDK will attemt to recover from it automatically
            // via FBSDKGraphErrorRecoveryProcessor (see documentation)

            // you can process an error manually, if you wish, by setting
            // -setGraphErrorRecoveryDisabled to YES

            NSInteger statusCode = [(NSString *)error.userInfo[FBSDKGraphRequestErrorHTTPStatusCodeKey] integerValue];
            if (statusCode == 400) {
                // access denied
            }
        }
    }];
}

每次您认为是检查FB令牌的好时机(例如应用程序在后台暂停一段时间),请致电-requestFacebookUserInfo。如果令牌无效/过期,这将提交Open Graph请求并返回错误。

答案 1 :(得分:0)

用于检查facebook权限..&给予许可......如果存在权限,则自动获取其他明智的访问请求登录...

对于Swift

 var login: FBSDKLoginManager = FBSDKLoginManager()
login.logInWithReadPermissions(["public_profile", "email"], handler: { (result:FBSDKLoginManagerLoginResult!, error:NSError!) -> Void in

  if (error != nil)
  {
        //Process error
   }
   else if result.isCancelled
   {
        //Handle cancellations
   }
  else
  {
        // If you ask for multiple permissions at once, you
        // should check if specific permissions missing
        if result.grantedPermissions.contains("email"){
            //Do work
   }
     }
   })

目标c:

检查这样的权限。以下代码使用..

if ([[FBSDKAccessToken currentAccessToken]hasGranted:@"email"])
       {
          // add your coding here after login call this block automatically.
       }
       else
       {

    //login code  **//if accesstoken expired...then call this block**

    FBSDKLoginManager *loginManager = [[FBSDKLoginManager alloc] init];

    [loginManager logInWithReadPermissions:@[@"public_profile", @"email"] handler:^(FBSDKLoginManagerLoginResult *result, NSError *error)




      }];

       }
相关问题