gpt4 book ai didi

cordova - 在第二次尝试刷新 token 时如何修复 "Malformed auth code"?

转载 作者:行者123 更新时间:2023-12-04 12:10:46 30 4
gpt4 key购买 nike

我正在开发一个带有 Angular 和 Cordova 插件的 Android 应用程序,我想将它与 Google 身份验证集成。
我已经安装了 cordova-plugin-googleplus并且我已成功集成到应用程序中。
当用户登录时,我会收到一个响应,我可以在其中获取 accessToken、配置文件用户信息和 refreshToken。

现在我想实现一个功能来刷新 token ,而不会每小时用一个新的提示屏幕打扰用户。

我已经成功更新了 accessToken,但它只能在第一次使用

我用过这两种方式:

  • 发送带有以下数据的 curl 请求
  • curl -X POST \
    'https://oauth2.googleapis.com/token?code=XXXXXXXXXXXXXXXX&client_id=XXXXXXXXXXXXXXXX.apps.googleusercontent.com&client_secret=YYYYYYYYYYYY&grant_type=authorization_code' \
    -H 'Cache-Control: no-cache' \
    -H 'Content-Type: application/x-www-form-urlencoded'
  • 使用适用于 Java 的 Google API 客户端库在服务器端实现它,主要遵循这些 code

  • 重点是,当用户第一次登录时(使用cordova-plugin-googleplus),我收到了这种格式的refreshToken
    4/rgFU-hxw9QSbfdj3ppQ4sqDjK2Dr3m_YU_UMCqcveUgjIa3voawbN9TD6SVLShedTPveQeZWDdR-Sf1nFrss1hc

    如果一段时间后我尝试以上述任何一种方式刷新 token ,我会使用新的 accessToken 和新的 refreshToken 获得成功响应。而那个新的 refreshToken 有另一种格式
    1/FTSUyYTgU2AG8K-ZsgjVi6pExdmpZejXfoYIchp9KuhtdknEMd6uYCfqMOoX2f85J

    在第二次尝试更新 token 时,我将 token 替换为第一个请求中返回的 token
    curl -X POST \
    'https://oauth2.googleapis.com/token?code=1/FTSUyYTgU2AG8K-ZsgjVi6pExdmpZejXfoYIchp9KuhtdknEMd6uYCfqMOoX2f85J&client_id=XXXXXXXXXXXXXXXX.apps.googleusercontent.com&client_secret=YYYYYYYYYYYY&grant_type=authorization_code' \
    -H 'Cache-Control: no-cache' \
    -H 'Content-Type: application/x-www-form-urlencoded'

    但这一次,两种方式(Curl 和 Java)我都遇到了同样的错误。
    {
    "error" : "invalid_grant",
    "error_description" : "Malformed auth code."
    }

    我读到这个 ​​ thread将 clientId 指定为电子邮件是一个问题,但我还没有发现如何解决它,因为第一次登录是使用客户端 ID 'XXXXXXX.apps.googleusercontent.com'完成的,如果我从谷歌设置了电子邮件它说这是一个“未知的 Oauth 客户端”

    我希望任何人都可以帮助我解决这个问题,因为我被困了好几天

    最佳答案

    最后,我根据需要刷新了访问 token 。问题是对 Google Api 的工作方式的误解。

    第一次更新 token 时,需要使用这些参数调用此端点,并将从同意屏幕调用(serverAuthCode)的响应中获得的值设置为{{refreshToken}}

    https://oauth2.googleapis.com/token?code={{refreshToken}}&client_id={{googleClientId}}&client_secret={{googleClientSecret}}&grant_type=authorization_code

    在第一次刷新后,对 token 的任何更新都需要通过将第一次调用的响应中获得的属性 {{refresh_token}} 设置为 {{tokenUpdated}} 来调用到另一个端点。
    https://oauth2.googleapis.com/token?refresh_token={{tokenUpdated}}&client_id={{googleClientId}}&client_secret={{googleClientSecret}}&grant_type=refresh_token

    在这里,我向您展示我的 AuthenticationService 示例
    import { Injectable} from '@angular/core';
    import { Router } from '@angular/router';
    import { GooglePlus } from '@ionic-native/google-plus/ngx';

    @Injectable({
    providedIn: 'root'
    })
    export class AuthenticationService {


    static AUTH_INFO_GOOGLE = 'auth-info-google';
    static CLIENT_ID = 'XXXXX-XXXX.apps.googleusercontent.com';
    static CLIENT_SECRET = 'SecretPasswordClientId';


    public authenticationState = new BehaviorSubject(false);

    constructor(
    private router: Router,
    private googlePlus: GooglePlus) {

    }

    public isAuthenticated() {
    return this.authenticationState.value;
    }

    public logout(): Promise<void> {
    this.authenticationState.next(false);
    return this.googlePlus.disconnect()
    .then(msg => {
    console.log('User logged out: ' + msg);
    }, err => {
    console.log('User already disconected');
    });
    }

    /**
    * Performs the login
    */
    public async login(): Promise<any> {
    return this.openGoogleConsentScreen().then(async (user) => {
    console.log(' ServerAuth Code: ' + user.serverAuthCode);
    user.updated = false;
    await this.setData(AuthenticationService.AUTH_INFO_GOOGLE, JSON.stringify(user));
    this.authenticationState.next(true);
    // Do more staff after successfully login
    }, err => {
    this.authenticationState.next(false);
    console.log('An error ocurred in the login process: ' + err);
    console.log(err);
    });

    }

    /**
    * Gets the Authentication Token
    */
    public async getAuthenticationToken(): Promise<string> {
    return this.getAuthInfoGoogle()
    .then(auth => {
    if (this.isTokenExpired(auth)) {
    return this.refreshToken(auth);
    } else {
    return 'Bearer ' + auth.accessToken;
    }
    });
    }



    private async openGoogleConsentScreen(): Promise<any> {
    return this.googlePlus.login({
    // optional, space-separated list of scopes, If not included or empty, defaults to `profile` and `email`.
    'scopes': 'profile email openid',
    'webClientId': AuthenticationService.CLIENT_ID,
    'offline': true
    });
    }

    private isTokenExpired(auth: any): Boolean {
    const expiresIn = auth.expires - (Date.now() / 1000);
    const extraSeconds = 60 * 59 + 1;
    // const extraSeconds = 0;
    const newExpiration = expiresIn - extraSeconds;
    console.log('Token expires in ' + newExpiration + ' seconds. Added ' + extraSeconds + ' seconds for debugging purpouses');
    return newExpiration < 0;
    }

    private async refreshToken(auth: any): Promise<any> {
    console.log('The authentication token has expired. Calling for renewing');
    if (auth.updated) {
    auth = await this.requestGoogleRefreshToken(auth.serverAuthCode, auth.userId, auth.email);
    } else {
    auth = await this.requestGoogleAuthorizationCode(auth.serverAuthCode, auth.userId, auth.email);
    }
    await this.setData(AuthenticationService.AUTH_INFO_GOOGLE, JSON.stringify(auth));
    return 'Bearer ' + auth.accessToken;
    }


    private getAuthInfoGoogle(): Promise<any> {
    return this.getData(AuthenticationService.AUTH_INFO_GOOGLE)
    .then(oauthInfo => {
    return JSON.parse(oauthInfo);
    }, err => {
    this.clearStorage();
    throw err;
    });
    }

    private async requestGoogleAuthorizationCode(serverAuthCode: string, userId: string, email: string): Promise<any> {
    let headers = new HttpHeaders();
    headers = headers.set('Content-Type', 'application/x-www-form-urlencoded');
    let params: HttpParams = new HttpParams();
    params = params.set('code', serverAuthCode);
    params = params.set('client_id', AuthenticationService.CLIENT_ID);
    params = params.set('client_secret', AuthenticationService.CLIENT_SECRET);
    params = params.set('grant_type', 'authorization_code');
    const options = {
    headers: headers,
    params: params
    };
    const url = 'https://oauth2.googleapis.com/token';
    const renewalTokenRequestPromise: Promise<any> = this.http.post(url, {}, options).toPromise()
    .then((response: any) => {
    const auth: any = {};
    auth.accessToken = response.access_token;
    console.log('RefreshToken: ' + response.refresh_token);
    auth.serverAuthCode = response.refresh_token;
    auth.expires = Date.now() / 1000 + response.expires_in;
    auth.userId = userId;
    auth.email = email;
    auth.updated = true;
    return auth;
    }, (error) => {
    console.error('Error renewing the authorization code: ' + JSON.stringify(error));
    return {};
    });
    return await renewalTokenRequestPromise;
    }

    private async requestGoogleRefreshToken(serverAuthCode: string, userId: string, email: string): Promise<any> {
    let headers = new HttpHeaders();
    headers = headers.set('Content-Type', 'application/x-www-form-urlencoded');
    let params: HttpParams = new HttpParams();
    params = params.set('refresh_token', serverAuthCode);
    params = params.set('client_id', AuthenticationService.CLIENT_ID);
    params = params.set('client_secret', AuthenticationService.CLIENT_SECRET);
    params = params.set('grant_type', 'refresh_token');
    const options = {
    headers: headers,
    params: params
    };
    const url = 'https://oauth2.googleapis.com/token';
    const renewalTokenRequestPromise: Promise<any> = this.http.post(url, {}, options).toPromise()
    .then((response: any) => {
    const auth: any = {};
    auth.accessToken = response.access_token;
    console.log('RefreshToken: ' + serverAuthCode);
    auth.serverAuthCode = serverAuthCode;
    auth.expires = Date.now() / 1000 + response.expires_in;
    auth.userId = userId;
    auth.email = email;
    auth.updated = true;
    return auth;
    }, (error) => {
    console.error('Error renewing refresh token: ' + JSON.stringify(error));
    return {};
    });
    return await renewalTokenRequestPromise;
    }

    private setData(key: string, value: any): Promise<any> {
    console.log('Store the value at key entry in the DDBB, Cookies, LocalStorage, etc')
    }

    private getData(key: string): Promise<string> {
    console.log('Retrieve the value from the key entry from DDBB, Cookies, LocalStorage, etc')
    }

    private clearStorage(): Promise<string> {
    console.log('Remove entries from DDBB, Cookies, LocalStorage, etc related to authentication')
    }



    }

    关于cordova - 在第二次尝试刷新 token 时如何修复 "Malformed auth code"?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/58209700/

    30 4 0
    Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
    广告合作:1813099741@qq.com 6ren.com