通过 100 多个技巧集合学习 Nuxt!

Nuxt 中的自定义 useFetch

如何在 Nuxt 3 中创建一个自定义的 fetcher 来调用你的外部 API。

在使用 Nuxt 时,你可能正在构建前端并获取外部 API,并且你可能希望为从你的 API 获取数据设置一些默认选项。

$fetch 工具函数(由 useFetch composable 使用)被有意地设置为不全局可配置。这非常重要,这样你的应用程序中的获取行为才能保持一致,并且其他集成(如模块)可以依赖像 $fetch 这样的核心工具的行为。

然而,Nuxt 提供了一种为你的 API 创建自定义 fetcher 的方法(如果你有多个 API 要调用,可以创建多个 fetcher)。

自定义 $fetch

让我们使用 Nuxt 插件创建一个自定义的 $fetch 实例。

$fetchofetch 的一个配置实例,它支持添加你的 Nuxt 服务器的基本 URL,以及在 SSR 期间直接函数调用(避免 HTTP 往返)。

让我们假设这里:

  • 主要 API 是 https://api.nuxt.com
  • 我们使用 nuxt-auth-utils 将 JWT 令牌存储在会话中
  • 如果 API 响应的状态代码为 401,我们将用户重定向到 /login 页面
plugins/api.ts
export default defineNuxtPlugin((nuxtApp) => {
  const { session } = useUserSession()

  const api = $fetch.create({
    baseURL: 'https://api.nuxt.com',
    onRequest({ request, options, error }) {
      if (session.value?.token) {
        // note that this relies on ofetch >= 1.4.0 - you may need to refresh your lockfile
        options.headers.set('Authorization', `Bearer ${session.value?.token}`)
      }
    },
    async onResponseError({ response }) {
      if (response.status === 401) {
        await nuxtApp.runWithContext(() => navigateTo('/login'))
      }
    }
  })

  // Expose to useNuxtApp().$api
  return {
    provide: {
      api
    }
  }
})

通过这个 Nuxt 插件,$apiuseNuxtApp() 中暴露出来,以便直接从 Vue 组件进行 API 调用

app.vue
<script setup>
const { $api } = useNuxtApp()
const { data: modules } = await useAsyncData('modules', () => $api('/modules'))
</script>
使用 useAsyncData 包装 可以避免在进行服务器端渲染时双重数据获取(服务器和客户端在 hydration 时)。

自定义 useFetch/useAsyncData

现在 $api 已经有了我们想要的逻辑,让我们创建一个 useAPI composable 来替换 useAsyncData + $api 的用法

composables/useAPI.ts
import type { UseFetchOptions } from 'nuxt/app'

export function useAPI<T>(
  url: string | (() => string),
  options?: UseFetchOptions<T>,
) {
  return useFetch(url, {
    ...options,
    $fetch: useNuxtApp().$api as typeof $fetch
  })
}

让我们使用新的 composable,并拥有一个简洁干净的组件

app.vue
<script setup>
const { data: modules } = await useAPI('/modules')
</script>

如果你想自定义任何返回的错误类型,你也可以这样做

import type { FetchError } from 'ofetch'
import type { UseFetchOptions } from 'nuxt/app'

interface CustomError {
  message: string
  statusCode: number
}

export function useAPI<T>(
  url: string | (() => string),
  options?: UseFetchOptions<T>,
) {
  return useFetch<T, FetchError<CustomError>>(url, {
    ...options,
    $fetch: useNuxtApp().$api
  })
}
此示例演示了如何使用自定义的 useFetch,但自定义 useAsyncData 的结构是相同的。
观看一个关于 Nuxt 中自定义 $fetch 和仓库模式的视频。
我们目前正在讨论寻找一种更简洁的方法来让你创建自定义的 fetcher,请参阅 https://github.com/nuxt/nuxt/issues/14736