首页 > 解决方案 > msal.js 包的 loginRedirect() 方法导致 'TypeError: Cannot read property 'then' of undefined'

问题描述

我目前正在使用 msal.js 包,以便我可以为我自己的 Vue.js 应用程序使用 azure 授权。到目前为止,我已经创建了一个 Teams 应用程序,可以在其中访问我的 Vue.js 网站,该网站使用 ngrok 进行隧道传输。

我在 Vue.js 中的代码如下所示(为了安全起见,我在这个 stackoverflow 帖子中用占位符替换了 clientId 和 authority):

import * as Msal from 'msal';

export default {
  signIn: async () => {

    const aDConfig = {
      auth: {
        clientId: 'AZUREAPPID',
        authority: 'https://login.microsoftonline.com/AZURETENANTID',
        redirectUri: 'https://login.microsoftonline.com/common/oauth2/nativeclient',
      },
      cache: {
        cacheLocation: 'localStorage',
        storeAuthStateInCookie: true,
      },
    };

    const aDAuth = new Msal.UserAgentApplication(aDConfig);

    const loginRequest = {
      scopes: ['user.read'],
    };

    await aDAuth.handleRedirectCallback((error, response) => {
      debugger;
      console.log(error);
      console.log(response);
    });

    await aDAuth.loginRedirect(loginRequest).then(async (loginResponse) => {
      console.log(loginResponse);

      debugger;
    }).catch((error) => {
      console.log(error);
    });
  },
};

基本上它所做的是设置要连接的天蓝色应用程序,然后尝试通过 loginRedirect() 方法静默登录。

但是当我尝试运行此代码时,在 loginRedirect() 方法处脚本停止并且我将收到错误消息:

在此处输入图像描述

由于 loginRequest 不为空,我不确定错误指的是什么。

这里可能是什么问题?

标签: javascriptmicrosoft-teamsmsalmsal.jsmicrosoft-graph-teams

解决方案


loginRedirect不返回 Promise(因为它使用户离开当前页面)。如果要处理重定向的结果,则需要实现adAuth.handleRedirectCallback(callback)(这应该在页面加载时完成,在实例化之后立即执行adAuth),当 Msal 检测到从重定向流返回后正在加载页面时,将调用它。

请参阅:https ://github.com/AzureAD/microsoft-authentication-library-for-js/blob/dev/lib/msal-core/README.md#1-instantiate-the-useragentapplication

编辑:误读了您的代码,我看到您已经这样做了。所以只要删除.thenloginRedirect你应该很好。

另外,handleRedirectCallback不返回 Promise,所以你不应该这样await做。而且您需要实例化 Msal 并在您的signIn函数之外实现回调(例如在页面加载时)。

import * as Msal from 'msal';

const aDConfig = {
    auth: {
      clientId: 'AZUREAPPID',
      authority: 'https://login.microsoftonline.com/AZURETENANTID',
      redirectUri: 'https://login.microsoftonline.com/common/oauth2/nativeclient',
    },
    cache: {
      cacheLocation: 'localStorage',
      storeAuthStateInCookie: true,
    }
};

const aDAuth = new Msal.UserAgentApplication(aDConfig);

const loginRequest = {
    scopes: ['user.read']
};

aDAuth.handleRedirectCallback((error, response) => {
    debugger;
    console.log(error);
    console.log(response);
});


export default {
  signIn: async () => {
    aDAuth.loginRedirect(loginRequest);
  }
};

推荐阅读