Vue 3 + TypeScript:使用 JS 传播运算符从 setup() 返回的对象在 vscode 中抛出错误
Vue 3 + TypeScript: Objects returned from setup() using the JS spread operator throw an error in vscode
我有一个简单的 Vue 3 + TypeScript repo 尝试集成 Auth0 插件。
它在前端显示字符串化的 user
对象,并且按预期工作。
但是 Visual Studio 代码显示 TypeScript 错误 Cannot find name 'user'. ts(2304)
因为它在 ...auth
展开运算符内返回时无法看到对象 user
。
我不确定它为什么这样做,或者如何解决它。
这是 Auth0 插件的代码。简而言之,它使用 app.provide("Auth", authPlugin);
提供对一堆东西的访问,包括 user
对象:
import createAuth0Client, {
Auth0Client,
GetIdTokenClaimsOptions,
GetTokenSilentlyOptions,
GetTokenWithPopupOptions,
LogoutOptions,
RedirectLoginOptions,
User,
} from "@auth0/auth0-spa-js";
import { App, Plugin, computed, reactive, watchEffect } from "vue";
import { NavigationGuardWithThis } from "vue-router";
let client: Auth0Client;
interface Auth0PluginState {
loading: boolean;
isAuthenticated: boolean;
user: User | undefined;
popupOpen: boolean;
error: any;
}
const state = reactive<Auth0PluginState>({
loading: true,
isAuthenticated: false,
user: {},
popupOpen: false,
error: null,
});
async function handleRedirectCallback() {
state.loading = true;
try {
await client.handleRedirectCallback();
state.user = await client.getUser();
state.isAuthenticated = true;
} catch (e) {
state.error = e;
} finally {
state.loading = false;
}
}
function loginWithRedirect(o: RedirectLoginOptions) {
return client.loginWithRedirect(o);
}
function getIdTokenClaims(o: GetIdTokenClaimsOptions) {
return client.getIdTokenClaims(o);
}
function getTokenSilently(o: GetTokenSilentlyOptions) {
return client.getTokenSilently(o);
}
function getTokenWithPopup(o: GetTokenWithPopupOptions) {
return client.getTokenWithPopup(o);
}
function logout(o: LogoutOptions) {
return client.logout(o);
}
const authPlugin = {
isAuthenticated: computed(() => state.isAuthenticated),
loading: computed(() => state.loading),
user: computed(() => state.user),
getIdTokenClaims,
getTokenSilently,
getTokenWithPopup,
handleRedirectCallback,
loginWithRedirect,
logout,
};
const routeGuard: NavigationGuardWithThis<undefined> = (
to: any,
from: any,
next: any
) => {
const { isAuthenticated, loading, loginWithRedirect } = authPlugin;
const verify = async () => {
// If the user is authenticated, continue with the route
if (isAuthenticated.value) {
return next();
}
// Otherwise, log in
await loginWithRedirect({ appState: { targetUrl: to.fullPath } });
};
// If loading has already finished, check our auth state using `fn()`
if (!loading.value) {
return verify();
}
// Watch for the loading property to change before we check isAuthenticated
watchEffect(() => {
if (!loading.value) {
return verify();
}
});
};
interface Auth0PluginOptions {
domain: string;
clientId: string;
audience: string;
redirectUri: string;
onRedirectCallback(appState: any): void;
}
async function init(options: Auth0PluginOptions): Promise<Plugin> {
client = await createAuth0Client({
// domain: process.env.VUE_APP_AUTH0_DOMAIN,
// client_id: process.env.VUE_APP_AUTH0_CLIENT_KEY,
domain: options.domain,
client_id: options.clientId,
audience: options.audience,
redirect_uri: options.redirectUri,
});
try {
// If the user is returning to the app after authentication
if (
window.location.search.includes("code=") &&
window.location.search.includes("state=")
) {
// handle the redirect and retrieve tokens
const { appState } = await client.handleRedirectCallback();
// Notify subscribers that the redirect callback has happened, passing the appState
// (useful for retrieving any pre-authentication state)
options.onRedirectCallback(appState);
}
} catch (e) {
state.error = e;
} finally {
// Initialize our internal authentication state
state.isAuthenticated = await client.isAuthenticated();
state.user = await client.getUser();
state.loading = false;
}
return {
install: (app: App) => {
app.provide("Auth", authPlugin);
},
};
}
interface Auth0Plugin {
init(options: Auth0PluginOptions): Promise<Plugin>;
routeGuard: NavigationGuardWithThis<undefined>;
}
export const Auth0: Auth0Plugin = {
init,
routeGuard,
};
在我的 Profile.vue
页面中,我使用 const auth = inject<Auth0Client>("Auth")!;
注入 Auth0 插件并使用 ...auth
传播运算符从 setup()
返回其所有内容。这包括现在可以在模板中使用的 user
对象。
所有这些都在前端工作。它按预期显示字符串化的 user
对象。
但是 vscode 抛出一个 Cannot find name 'user'. ts(2304)
错误,因为 user
对象没有明确地从 setup()
返回。
它似乎不知道 ...auth
展开运算符在 auth
:
中有 user
对象
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(user, null, 2) }} <!-- ERROR: Cannot find name 'user'.ts(2304) -->
</div>
</template>
<script lang="ts">
import { Auth0Client } from "@auth0/auth0-spa-js";
import { inject } from "vue";
export default {
name: "Profile",
setup() {
const auth = inject<Auth0Client>("Auth")!;
return {
...auth,
};
},
};
</script>
我试图通过显式返回一个 user
对象来解决这个问题,如下所示,但它破坏了功能。字符串化的 user
对象不再显示在前端:
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(auth_user, null, 2) }}
</div>
</template>
<script lang="ts">
import { Auth0Client } from "@auth0/auth0-spa-js";
import { inject } from "vue";
export default {
name: "Profile",
setup() {
const auth = inject<Auth0Client>("Auth")!;
const auth_user = auth.getUser(); // This does not work
//const auth_user = auth.user; // This variation also doesn't work
return {
auth_user,
};
},
};
</script>
任何人都可以弄清楚这里发生了什么以及如何解决错误吗?
好的,就我的理解(我不是构图方面的专家API)。
例如在 setup()
中,return
语句应该为您提供 <template>
.
中可用的内容
假设您想在这里使用用户
<div class="row">
{{ JSON.stringify(user, null, 2) }} <!-- ERROR: Cannot find name 'user'.ts(2304) -->
</div>
基本上它找不到任何类型的 user
数据。让我们尝试将它添加到 setup()
的 return
语句中
试试这个:
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(user, null, 2) }}
</div>
</template>
<script lang="ts">
import { inject, ref } from 'vue'
import { Auth0Client, User } from '@auth0/auth0-spa-js'
export default {
name: 'Profile',
setup() {
/* Added for you this 2 lines, one for getting types of auth
I think the other one is reactive */
const auth = inject('Auth') as Auth0Client
const user = ref<User | undefined>(undefined)
auth.getUser().then((authuser) => (user.value = authuser))
return {
...auth, // Check this one, I don't see it being used in <template>
user // This one should be available in <template> now
}
}
}
</script>
希望它有用...另外我不是组合的忠实粉丝API 如果出于某种原因你只是学习 Vue 使用默认值 API,它更容易学习并使用 :).
有几个问题:
Auth0Client
class 没有 user
字段,因此从 setup()
返回 { ...auth }
不会创建 user
属性。但这不是您想要的类型,正如我们在下一点中看到的那样。
export default class Auth0Client {
private options;
private transactionManager;
private cacheManager;
private customOptions;
private domainUrl;
private tokenIssuer;
private defaultScope;
private scope;
private cookieStorage;
private sessionCheckExpiryDays;
private orgHintCookieName;
private isAuthenticatedCookieName;
private nowProvider;
cacheLocation: CacheLocation;
private worker;
constructor(options: Auth0ClientOptions);
private _url;
private _getParams;
private _authorizeUrl;
private _verifyIdToken;
private _parseNumber;
private _processOrgIdHint;
buildAuthorizeUrl(options?: RedirectLoginOptions): Promise<string>;
loginWithPopup(options?: PopupLoginOptions, config?: PopupConfigOptions): Promise<void>;
getUser<TUser extends User>(options?: GetUserOptions): Promise<TUser | undefined>;
getIdTokenClaims(options?: GetIdTokenClaimsOptions): Promise<IdToken>;
loginWithRedirect(options?: RedirectLoginOptions): Promise<void>;
handleRedirectCallback(url?: string): Promise<RedirectLoginResult>;
checkSession(options?: GetTokenSilentlyOptions): Promise<void>;
getTokenSilently(options: GetTokenSilentlyOptions & {
detailedResponse: true;
}): Promise<GetTokenSilentlyVerboseResponse>;
getTokenSilently(options?: GetTokenSilentlyOptions): Promise<string>;
private _getTokenSilently;
getTokenWithPopup(options?: GetTokenWithPopupOptions, config?: PopupConfigOptions): Promise<string>;
isAuthenticated(): Promise<boolean>;
buildLogoutUrl(options?: LogoutUrlOptions): string;
logout(options?: LogoutOptions): Promise<void> | void;
private _getTokenFromIFrame;
private _getTokenUsingRefreshToken;
private _getEntryFromCache;
}
- 虽然
Auth
对象被 inject
编辑为 Auth0Client
,但 actual object provide
d in @/auth/index.ts
的类型不与 Auth0Client
重叠。应导出实际类型,以便 inject
Auth
对象可以键入引用的组件:
const authPlugin = {
isAuthenticated: computed(() => state.isAuthenticated),
loading: computed(() => state.loading),
user: computed(() => state.user),
getIdTokenClaims,
getTokenSilently,
getTokenWithPopup,
handleRedirectCallback,
loginWithRedirect,
logout,
};
export type ProvidedAuthPlugin = typeof authPlugin;
⋮
app.provide("Auth", authPlugin);
- 至enable TypeScript support in a component(包括
<template>
内),组件定义应声明为defineComponent
:
import { defineComponent } from "vue";
export default defineComponent({
⋮
});
- 并且
Auth
对象的类型应该在 inject
组件中使用:
import type { ProvidedAuthPlugin } from "@/auth";
import { inject, defineComponent } from "vue";
export default defineComponent({
name: "Profile",
setup() {
const auth = inject("Auth") as ProvidedAuthPlugin;
return {
...auth,
};
},
});
我有一个简单的 Vue 3 + TypeScript repo 尝试集成 Auth0 插件。
它在前端显示字符串化的 user
对象,并且按预期工作。
但是 Visual Studio 代码显示 TypeScript 错误 Cannot find name 'user'. ts(2304)
因为它在 ...auth
展开运算符内返回时无法看到对象 user
。
我不确定它为什么这样做,或者如何解决它。
这是 Auth0 插件的代码。简而言之,它使用 app.provide("Auth", authPlugin);
提供对一堆东西的访问,包括 user
对象:
import createAuth0Client, {
Auth0Client,
GetIdTokenClaimsOptions,
GetTokenSilentlyOptions,
GetTokenWithPopupOptions,
LogoutOptions,
RedirectLoginOptions,
User,
} from "@auth0/auth0-spa-js";
import { App, Plugin, computed, reactive, watchEffect } from "vue";
import { NavigationGuardWithThis } from "vue-router";
let client: Auth0Client;
interface Auth0PluginState {
loading: boolean;
isAuthenticated: boolean;
user: User | undefined;
popupOpen: boolean;
error: any;
}
const state = reactive<Auth0PluginState>({
loading: true,
isAuthenticated: false,
user: {},
popupOpen: false,
error: null,
});
async function handleRedirectCallback() {
state.loading = true;
try {
await client.handleRedirectCallback();
state.user = await client.getUser();
state.isAuthenticated = true;
} catch (e) {
state.error = e;
} finally {
state.loading = false;
}
}
function loginWithRedirect(o: RedirectLoginOptions) {
return client.loginWithRedirect(o);
}
function getIdTokenClaims(o: GetIdTokenClaimsOptions) {
return client.getIdTokenClaims(o);
}
function getTokenSilently(o: GetTokenSilentlyOptions) {
return client.getTokenSilently(o);
}
function getTokenWithPopup(o: GetTokenWithPopupOptions) {
return client.getTokenWithPopup(o);
}
function logout(o: LogoutOptions) {
return client.logout(o);
}
const authPlugin = {
isAuthenticated: computed(() => state.isAuthenticated),
loading: computed(() => state.loading),
user: computed(() => state.user),
getIdTokenClaims,
getTokenSilently,
getTokenWithPopup,
handleRedirectCallback,
loginWithRedirect,
logout,
};
const routeGuard: NavigationGuardWithThis<undefined> = (
to: any,
from: any,
next: any
) => {
const { isAuthenticated, loading, loginWithRedirect } = authPlugin;
const verify = async () => {
// If the user is authenticated, continue with the route
if (isAuthenticated.value) {
return next();
}
// Otherwise, log in
await loginWithRedirect({ appState: { targetUrl: to.fullPath } });
};
// If loading has already finished, check our auth state using `fn()`
if (!loading.value) {
return verify();
}
// Watch for the loading property to change before we check isAuthenticated
watchEffect(() => {
if (!loading.value) {
return verify();
}
});
};
interface Auth0PluginOptions {
domain: string;
clientId: string;
audience: string;
redirectUri: string;
onRedirectCallback(appState: any): void;
}
async function init(options: Auth0PluginOptions): Promise<Plugin> {
client = await createAuth0Client({
// domain: process.env.VUE_APP_AUTH0_DOMAIN,
// client_id: process.env.VUE_APP_AUTH0_CLIENT_KEY,
domain: options.domain,
client_id: options.clientId,
audience: options.audience,
redirect_uri: options.redirectUri,
});
try {
// If the user is returning to the app after authentication
if (
window.location.search.includes("code=") &&
window.location.search.includes("state=")
) {
// handle the redirect and retrieve tokens
const { appState } = await client.handleRedirectCallback();
// Notify subscribers that the redirect callback has happened, passing the appState
// (useful for retrieving any pre-authentication state)
options.onRedirectCallback(appState);
}
} catch (e) {
state.error = e;
} finally {
// Initialize our internal authentication state
state.isAuthenticated = await client.isAuthenticated();
state.user = await client.getUser();
state.loading = false;
}
return {
install: (app: App) => {
app.provide("Auth", authPlugin);
},
};
}
interface Auth0Plugin {
init(options: Auth0PluginOptions): Promise<Plugin>;
routeGuard: NavigationGuardWithThis<undefined>;
}
export const Auth0: Auth0Plugin = {
init,
routeGuard,
};
在我的 Profile.vue
页面中,我使用 const auth = inject<Auth0Client>("Auth")!;
注入 Auth0 插件并使用 ...auth
传播运算符从 setup()
返回其所有内容。这包括现在可以在模板中使用的 user
对象。
所有这些都在前端工作。它按预期显示字符串化的 user
对象。
但是 vscode 抛出一个 Cannot find name 'user'. ts(2304)
错误,因为 user
对象没有明确地从 setup()
返回。
它似乎不知道 ...auth
展开运算符在 auth
:
user
对象
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(user, null, 2) }} <!-- ERROR: Cannot find name 'user'.ts(2304) -->
</div>
</template>
<script lang="ts">
import { Auth0Client } from "@auth0/auth0-spa-js";
import { inject } from "vue";
export default {
name: "Profile",
setup() {
const auth = inject<Auth0Client>("Auth")!;
return {
...auth,
};
},
};
</script>
我试图通过显式返回一个 user
对象来解决这个问题,如下所示,但它破坏了功能。字符串化的 user
对象不再显示在前端:
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(auth_user, null, 2) }}
</div>
</template>
<script lang="ts">
import { Auth0Client } from "@auth0/auth0-spa-js";
import { inject } from "vue";
export default {
name: "Profile",
setup() {
const auth = inject<Auth0Client>("Auth")!;
const auth_user = auth.getUser(); // This does not work
//const auth_user = auth.user; // This variation also doesn't work
return {
auth_user,
};
},
};
</script>
任何人都可以弄清楚这里发生了什么以及如何解决错误吗?
好的,就我的理解(我不是构图方面的专家API)。
例如在 setup()
中,return
语句应该为您提供 <template>
.
假设您想在这里使用用户
<div class="row">
{{ JSON.stringify(user, null, 2) }} <!-- ERROR: Cannot find name 'user'.ts(2304) -->
</div>
基本上它找不到任何类型的 user
数据。让我们尝试将它添加到 setup()
return
语句中
试试这个:
<template>
<div class="about">
<h1>This is a profile page, only logged in users can see it.</h1>
</div>
<div class="row">
{{ JSON.stringify(user, null, 2) }}
</div>
</template>
<script lang="ts">
import { inject, ref } from 'vue'
import { Auth0Client, User } from '@auth0/auth0-spa-js'
export default {
name: 'Profile',
setup() {
/* Added for you this 2 lines, one for getting types of auth
I think the other one is reactive */
const auth = inject('Auth') as Auth0Client
const user = ref<User | undefined>(undefined)
auth.getUser().then((authuser) => (user.value = authuser))
return {
...auth, // Check this one, I don't see it being used in <template>
user // This one should be available in <template> now
}
}
}
</script>
希望它有用...另外我不是组合的忠实粉丝API 如果出于某种原因你只是学习 Vue 使用默认值 API,它更容易学习并使用 :).
有几个问题:
Auth0Client
class 没有user
字段,因此从setup()
返回{ ...auth }
不会创建user
属性。但这不是您想要的类型,正如我们在下一点中看到的那样。
export default class Auth0Client {
private options;
private transactionManager;
private cacheManager;
private customOptions;
private domainUrl;
private tokenIssuer;
private defaultScope;
private scope;
private cookieStorage;
private sessionCheckExpiryDays;
private orgHintCookieName;
private isAuthenticatedCookieName;
private nowProvider;
cacheLocation: CacheLocation;
private worker;
constructor(options: Auth0ClientOptions);
private _url;
private _getParams;
private _authorizeUrl;
private _verifyIdToken;
private _parseNumber;
private _processOrgIdHint;
buildAuthorizeUrl(options?: RedirectLoginOptions): Promise<string>;
loginWithPopup(options?: PopupLoginOptions, config?: PopupConfigOptions): Promise<void>;
getUser<TUser extends User>(options?: GetUserOptions): Promise<TUser | undefined>;
getIdTokenClaims(options?: GetIdTokenClaimsOptions): Promise<IdToken>;
loginWithRedirect(options?: RedirectLoginOptions): Promise<void>;
handleRedirectCallback(url?: string): Promise<RedirectLoginResult>;
checkSession(options?: GetTokenSilentlyOptions): Promise<void>;
getTokenSilently(options: GetTokenSilentlyOptions & {
detailedResponse: true;
}): Promise<GetTokenSilentlyVerboseResponse>;
getTokenSilently(options?: GetTokenSilentlyOptions): Promise<string>;
private _getTokenSilently;
getTokenWithPopup(options?: GetTokenWithPopupOptions, config?: PopupConfigOptions): Promise<string>;
isAuthenticated(): Promise<boolean>;
buildLogoutUrl(options?: LogoutUrlOptions): string;
logout(options?: LogoutOptions): Promise<void> | void;
private _getTokenFromIFrame;
private _getTokenUsingRefreshToken;
private _getEntryFromCache;
}
- 虽然
Auth
对象被inject
编辑为Auth0Client
,但 actual objectprovide
d in@/auth/index.ts
的类型不与Auth0Client
重叠。应导出实际类型,以便inject
Auth
对象可以键入引用的组件:
const authPlugin = {
isAuthenticated: computed(() => state.isAuthenticated),
loading: computed(() => state.loading),
user: computed(() => state.user),
getIdTokenClaims,
getTokenSilently,
getTokenWithPopup,
handleRedirectCallback,
loginWithRedirect,
logout,
};
export type ProvidedAuthPlugin = typeof authPlugin;
⋮
app.provide("Auth", authPlugin);
- 至enable TypeScript support in a component(包括
<template>
内),组件定义应声明为defineComponent
:
import { defineComponent } from "vue";
export default defineComponent({
⋮
});
- 并且
Auth
对象的类型应该在inject
组件中使用:
import type { ProvidedAuthPlugin } from "@/auth";
import { inject, defineComponent } from "vue";
export default defineComponent({
name: "Profile",
setup() {
const auth = inject("Auth") as ProvidedAuthPlugin;
return {
...auth,
};
},
});