1

我正在使用“passport-azure-ad-oauth2” npm 模块来获取访问令牌,然后我可以将其传递给 MS Graph API。

passport.use(new AzureAdOAuth2Strategy({
    clientID: process.env.OUTLOOK_CLIENT_ID,
    clientSecret: process.env.OUTLOOK_SECRET,
    callbackURL: '/auth/outlook/callback',
},
    function (accesstoken: any, refresh_token: any, params: any, profile, done) {
        logger.info('Completed azure sign in for : ' + JSON.stringify(profile));
        logger.info('Parameters returned: ' + JSON.stringify(params));
        const decodedIdToken: any = jwt.decode(params.id_token);
        logger.info('Outlook Access Token:' + accesstoken);
        logger.info('Decoded Token: ' + JSON.stringify(decodedIdToken, null, 2));

        process.env['OUTLOOK_ACCESS_TOKEN'] = accesstoken;
        // add new user with token or update user's token here, in the database

    }));

然后,使用'@microsoft/microsoft-graph-client' npm 模块,从 Graph API 获取日历事件,如下所示:

try {
    const client = this.getAuthenticatedClient(process.env['OUTLOOK_ACCESS_TOKEN']);
    const resultSet = await client
                .api('users/' + userId + '/calendar/events')
                .select('subject,organizer,start,end')
                .get();
    logger.info(JSON.stringify(resultSet, null, 2));
} catch (err) {
    logger.error(err);
}

getAuthenticatedClient(accessToken) {
    logger.info('Using accestoken for initialising Graph Client: ' + accessToken);
    const client = Client.init({
        // Use the provided access token to authenticate requests
        authProvider: (done) => {
            done(null, accessToken);
        }
    });

    return client;
}

但是,使用成功登录时提供的 accessToken,我收到以下错误: CompactToken parsing failed with error code: 80049217

任何建议我做错了什么???

更新:这些是我使用的范围:'openid,profile,offline_access,calendars.read'

更新:稍微编辑范围后,现在我收到以下错误:无效的受众。

在解码在 jwt.ms 收到的令牌时,这是“aud”的值:“00000002-0000-0000-c000-000000000000”

是不是passport-azure-ad-oauth2是用于检索 MS Graph API 令牌的错误库?

4

6 回答 6

1

根据我的测试,我们可以使用下面的代码来获取访问令牌。应用程序.js

require('dotenv').config();
var createError = require('http-errors');
var express = require('express');
var path = require('path');
var cookieParser = require('cookie-parser');
var logger = require('morgan');
var session = require('express-session');
var flash = require('connect-flash');
var passport = require('passport');
var OIDCStrategy = require('passport-azure-ad').OIDCStrategy;


// Configure simple-oauth2
const oauth2 = require('simple-oauth2').create({
  client: {
    id: process.env.OAUTH_APP_ID,
    secret: process.env.OAUTH_APP_PASSWORD
  },
  auth: {
    tokenHost: process.env.OAUTH_AUTHORITY,
    authorizePath: process.env.OAUTH_AUTHORIZE_ENDPOINT,
    tokenPath: process.env.OAUTH_TOKEN_ENDPOINT
  }
});
var users = {};

// Passport calls serializeUser and deserializeUser to
// manage users
passport.serializeUser(function(user, done) {
  // Use the OID property of the user as a key
  users[user.profile.oid] = user;
  done (null, user.profile.oid);
});

passport.deserializeUser(function(id, done) {
  done(null, users[id]);
});

// Callback function called once the sign-in is complete
// and an access token has been obtained
async function signInComplete(iss, sub, profile, accessToken, refreshToken, params, done) {
  if (!profile.oid) {
    return done(new Error("No OID found in user profile."), null);
  }


  // Create a simple-oauth2 token from raw tokens
  let oauthToken = oauth2.accessToken.create(params);

  // Save the profile and tokens in user storage
  users[profile.oid] = { profile, oauthToken };
  return done(null, users[profile.oid]);
}

// Configure OIDC strategy
passport.use(new OIDCStrategy(
  {
    identityMetadata: `${process.env.OAUTH_AUTHORITY}${process.env.OAUTH_ID_METADATA}`,
    clientID: process.env.OAUTH_APP_ID,
    responseType: 'code id_token',
    responseMode: 'form_post',
    redirectUrl: process.env.OAUTH_REDIRECT_URI,
    allowHttpForRedirectUrl: true,
    clientSecret: process.env.OAUTH_APP_PASSWORD,
    validateIssuer: false,
    passReqToCallback: false,
    scope: process.env.OAUTH_SCOPES.split(' ')
  },
  signInComplete
));

更多详细信息,请参阅文档示例

于 2019-11-04T02:45:44.160 回答
1

原来有一个用于 microsoft-graph api 的护照库:passport-microsoft

我使用了该软件包中的 MicrosoftStrategy,一切似乎都运行良好。

passport-azure-ad-oauth2用于旧的 Azure AD Graph API,而passport-microsoft用于新的 Microsoft Graph API

于 2019-11-04T08:57:19.557 回答
0

我遇到过同样的问题。就我而言,授权标头格式错误:

Bearereyxxxx

而不是

承载 eyxxxx

我是那个项目的新手,但它似乎以前被 Azure 接受过。

于 2020-09-22T08:00:24.667 回答
0

我解决了这个问题,只通过 authenticationProvider 中的 accessToken 而不是旧的“Bearer”+令牌:例如:

TokenCredential tokenCredential = tokenRequestContext -> Mono.just(new AccessToken(accessToken, OffsetDateTime.MAX));
IAuthenticationProvider authenticationProvider = new TokenCredentialAuthProvider(tokenCredential);
于 2021-04-18T14:10:52.083 回答
0

我在使用 Graph API 时遇到了这个错误,因为我在对结果进行分页时添加了多个授权标头。每个@odata.nextlink 页面都添加了相同的令牌,导致它在初始请求后中断并显示此错误消息。

这是我在 C# 中的代码:

private Tuple<JToken, JToken> GetUsersAndNextLink()
    {
        client.BaseUrl = new Uri("https://graph.microsoft.com/v1.0/users");
        var request = new RestRequest("", Method.GET);
        client.AddDefaultHeader("Authorization", string.Format("Bearer {0}", Token));
        IRestResponse response = client.Execute(request);
        var content = response.Content;
        var des = JsonConvert.DeserializeObject<JObject>(content);
        var nextlink = des["@odata.nextLink"];

        var value = des["value"];
        return new Tuple<JToken, JToken>(value, nextlink);
    }

    private Tuple<JToken, JToken> GetUsersAndNextLink(string prevnextlink)
    {
        client.BaseUrl = new Uri(prevnextlink);
        var request = new RestRequest("", Method.GET);
        client.AddDefaultHeader("Authorization", string.Format("Bearer {0}", Token));
        IRestResponse response = client.Execute(request);
        var content = response.Content;
        var des = JsonConvert.DeserializeObject<JObject>(content);
        var nextlink = des["@odata.nextLink"];
        var value = des["value"];
        return new Tuple<JToken, JToken>(value, nextlink);
    }

每次在响应中出现@odata.nextlink 值时,代码都会迭代以翻阅结果。但是,添加多个标头每次都会导致错误。

删除 GetUsersAndNextLink(string prevnextlink) 方法调用的第三行为我解决了这个问题。

确保您的授权标头是有序的 - 这似乎是使用 Graph API 时针对这些问题的所有错误代码。

于 2021-07-06T12:50:04.023 回答
0

接受的答案仅有助于人们使用特定的 passport-azure-ad-oauth2 npm 模块,这是 OP 的情况,但标题对于在使用 Microsoft Graph 时遇到此错误的任何情况都是通用的。如果您尝试通过(错误地)在授权标头中传递刷新令牌而不是有效的访问令牌来连接到 Graph,您将收到此错误:

GET https://graph.microsoft.com/v1.0/me 授权:Bearer wronglySuppliedRefreshTokenHere

有些人可能已经尝试过了,因为他们的访问令牌已过期,希望刷新令牌能够工作。

要使用刷新令牌获取有效的身份验证令牌,您需要发出 http POST 请求以

https://login.microsoftonline.com/{yourTenantId}/oauth2/v2.0/tokenrequest

带有(1)授权标头,如下所示:

授权:承载 {yourExpiredAccessToken}

(2) 像这样的 Content-Type 标头:

内容类型:application/x-www-form-urlencoded

(3) 正文包含键值对(其中的值是 urlencoded),看起来像这样(不包括花括号并用实际值替换花括号内的变量)......

client_id={yourClientId}&grant_type=refresh_token&scope=offline_access%20https%3A%2F%2Fgraph.microsoft.com%2FUser.Read&client_secret={yourClientSecret}&refresh_token={yourRefreshToken}

注意范围的值只是一个例子;您应该使用最初请求访问令牌和刷新令牌时使用的相同范围。

提交请求,您将返回一个包含有效访问令牌的 json 响应,然后您可以在 Authentication Bearer 标头中使用该令牌,您将能够成功连接。

另请注意,当您在访问令牌过期时发出请求时,您将需要捕获 ServiceException ("code":"InvalidAuthenticationToken", "message":"Access token has expired or is not yet valid.")。通过使用 grant_type=refresh_token 重新提交 POST 来处理它,并再次使用新的身份验证令牌更新您的标头并重试。

于 2021-11-05T15:19:12.770 回答