📡 GraphQL 请求模块
与 Nuxt.js 轻松集成极简的 GraphQL 客户端。
特性
- 最简单和轻量级的 GraphQL 客户端。
- 基于 Promise 的 API (可与
async
/await
一起使用)。 - Typescript 支持。
- AST 支持。
- GraphQL Loader 支持。
设置
npx nuxi@latest module add graphql-request
对于 Nuxt2,请使用 nuxt-graphql-request v6
yarn add nuxt-graphql-request@v6 graphql --dev
nuxt.config.js
module.exports = {
modules: ['nuxt-graphql-request'],
build: {
transpile: ['nuxt-graphql-request'],
},
graphql: {
/**
* An Object of your GraphQL clients
*/
clients: {
default: {
/**
* The client endpoint url
*/
endpoint: 'https://swapi-graphql.netlify.com/.netlify/functions/index',
/**
* Per-client options overrides
* See: https://github.com/prisma-labs/graphql-request#passing-more-options-to-fetch
*/
options: {},
},
secondClient: {
// ...client config
},
// ...your other clients
},
/**
* Options
* See: https://github.com/prisma-labs/graphql-request#passing-more-options-to-fetch
*/
options: {
method: 'get', // Default to `POST`
},
/**
* Optional
* default: false (this includes graphql-tag for node_modules folder)
*/
includeNodeModules: true,
},
};
运行时配置
如果您需要在运行时而不是构建时提供端点,则可以使用运行时配置来提供您的值
nuxt.config.js
module.exports = {
publicRuntimeConfig: {
graphql: {
clients: {
default: {
endpoint: '<client endpoint>',
},
secondClient: {
endpoint: '<client endpoint>',
},
// ...more clients
},
},
},
};
TypeScript
类型定义应该可以直接使用。您应该已经设置了 Typescript 来扩展 Nuxt 的自动生成配置。 如果没有,您可以从这里开始
{
"extends": "./.nuxt/tsconfig.json"
}
用法
组件
useAsyncData
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const query = gql`
query planets {
allPlanets {
planets {
id
name
}
}
}
`;
const { data: planets } = await useAsyncData('planets', async () => {
const data = await $graphql.default.request(query);
return data.allPlanets.planets;
});
</script>
用户定义函数
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const query = gql`
query planets {
allPlanets {
planets {
id
name
}
}
}
`;
const planets = ref([])
const fetchPlanets = () => {
const data = await $graphql.default.request(query);
planets.value = data.allPlanets.planets;
}
</script>
Store actions
import { defineStore } from 'pinia';
import { gql } from 'nuxt-graphql-request/utils';
import { useNuxtApp } from '#imports';
type Planet = { id: number; name: string };
export const useMainStore = defineStore('main', {
state: () => ({
planets: null as Planet[] | null,
}),
actions: {
async fetchAllPlanets() {
const query = gql`
query planets {
allPlanets {
planets {
id
name
}
}
}
`;
const data = await useNuxtApp().$graphql.default.request(query);
this.planets = data.allPlanets.planets;
},
},
});
GraphQL 请求客户端
来自官方 graphql-request 库的示例。
通过 HTTP 标头进行身份验证
export default defineNuxtConfig({
graphql: {
clients: {
default: {
endpoint: 'https://swapi-graphql.netlify.com/.netlify/functions/index',
options: {
headers: {
authorization: 'Bearer MY_TOKEN',
},
},
},
},
},
});
增量设置标头
如果要在 GraphQLClient 初始化后设置标头,可以使用 setHeader()
或 setHeaders()
函数。
const { $graphql } = useNuxtApp();
// Override all existing headers
$graphql.default.setHeaders({ authorization: 'Bearer MY_TOKEN' });
// Set a single header
$graphql.default.setHeader('authorization', 'Bearer MY_TOKEN');
设置端点
如果要在 GraphQLClient 初始化后更改端点,可以使用 setEndpoint()
函数。
const { $graphql } = useNuxtApp();
$graphql.default.setEndpoint(newEndpoint);
在每个请求中传递标头
可以为每个请求传递自定义标头。request()
和 rawRequest()
接受一个标头对象作为第三个参数
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const requestHeaders = {
authorization: 'Bearer MY_TOKEN',
};
const planets = ref();
const fetchSomething = async () => {
const query = gql`
query planets {
allPlanets {
planets {
id
name
}
}
}
`;
// Overrides the clients headers with the passed values
const data = await $graphql.default.request(query, {}, requestHeaders);
planets.value = data.allPlanets.planets;
};
</script>
向 fetch
传递更多选项
export default defineNuxtConfig({
graphql: {
clients: {
default: {
endpoint: 'https://swapi-graphql.netlify.com/.netlify/functions/index',
options: {
credentials: 'include',
mode: 'cors',
},
},
},
},
});
或者使用 setHeaders / setHeader
const { $graphql } = useNuxtApp();
// Set a single header
$graphql.default.setHeader('credentials', 'include');
$graphql.default.setHeader('mode', 'cors');
// Override all existing headers
$graphql.default.setHeaders({
credentials: 'include',
mode: 'cors',
});
使用 GraphQL 文档变量
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const fetchSomething = async () => {
const query = gql`
query planets($first: Int) {
allPlanets(first: $first) {
planets {
id
name
}
}
}
`;
const variables = { first: 10 };
const planets = await this.$graphql.default.request(query, variables);
};
</script>
错误处理
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const fetchSomething = async () => {
const mutation = gql`
mutation AddMovie($title: String!, $releaseDate: Int!) {
insert_movies_one(object: { title: $title, releaseDate: $releaseDate }) {
title
releaseDate
}
}
`;
const variables = {
title: 'Inception',
releaseDate: 2010,
};
const data = await $graphql.default.request(mutation, variables);
};
</script>
GraphQL 变更
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const fetchSomething = async () => {
const query = gql`
{
Movie(title: "Inception") {
releaseDate
actors {
fullname # "Cannot query field 'fullname' on type 'Actor'. Did you mean 'name'?"
}
}
}
`;
try {
const data = await $graphql.default.request(query);
console.log(JSON.stringify(data, undefined, 2));
} catch (error) {
console.error(JSON.stringify(error, undefined, 2));
process.exit(1);
}
};
</script>
接收原始响应
request
方法将返回响应中的 data
或 errors
键。 如果您需要访问 extensions
键,可以使用 rawRequest
方法
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const query = gql`
query planets($first: Int) {
allPlanets(first: $first) {
planets {
id
name
}
}
}
`;
const variables = { first: 10 };
const { data, errors, extensions, headers, status } = await $graphql.default.rawRequest(
endpoint,
query,
variables
);
console.log(JSON.stringify({ data, errors, extensions, headers, status }, undefined, 2));
批量查询
<script setup>
const { $graphql } = useNuxtApp();
const fetchSomething = async () => {
const query1 = /* GraphQL */ `
query ($id: ID!) {
capsule(id: $id) {
id
landings
}
}
`;
const variables1 = {
id: 'C105',
};
const query2 = /* GraphQL */ `
{
rockets(limit: 10) {
active
}
}
`;
const query3 = /* GraphQL */ `
query ($id: ID!) {
core(id: $id) {
id
block
original_launch
}
}
`;
const variables3 = {
id: 'B1015',
};
try {
const data = await $graphql.default.batchRequests([
{ document: query1, variables: variables1 },
{ document: query2 },
{ document: query3, variables: variables3 },
]);
console.log(JSON.stringify(data, undefined, 2));
} catch (error) {
console.error(JSON.stringify(error, undefined, 2));
process.exit(1);
}
};
</script>
取消
可以使用 AbortController
信号取消请求。
<script setup>
import { gql } from 'nuxt-graphql-request/utils';
const { $graphql } = useNuxtApp();
const fetchSomething = async () => {
const query = gql`
query planets {
allPlanets {
planets {
id
name
}
}
}
`;
const abortController = new AbortController();
const planets = await $graphql.default.request({
document: query,
signal: abortController.signal,
});
abortController.abort();
};
</script>
在 Node 环境中,v14.17.0 版本开始支持 AbortController。 对于 Node.js v12,您可以使用 abort-controller polyfill。
import 'abort-controller/polyfill';
const abortController = new AbortController();
中间件
可以使用中间件预处理任何请求或处理原始响应。
请求和响应中间件示例(将实际身份验证令牌设置为每个请求,并在发生错误时记录请求跟踪 ID)
function requestMiddleware(request: RequestInit) {
const token = getToken();
return {
...request,
headers: { ...request.headers, 'x-auth-token': token },
};
}
function responseMiddleware(response: Response<unknown>) {
if (response.errors) {
const traceId = response.headers.get('x-b3-traceid') || 'unknown';
console.error(
`[${traceId}] Request error:
status ${response.status}
details: ${response.errors}`
);
}
}
export default defineNuxtConfig({
modules: ['nuxt-graphql-request'],
graphql: {
/**
* An Object of your GraphQL clients
*/
clients: {
default: {
/**
* The client endpoint url
*/
endpoint: 'https://swapi-graphql.netlify.com/.netlify/functions/index',
/**
* Per-client options overrides
* See: https://github.com/prisma-labs/graphql-request#passing-more-options-to-fetch
*/
options: {
requestMiddleware: requestMiddleware,
responseMiddleware: responseMiddleware,
},
},
// ...your other clients
},
/**
* Options
* See: https://github.com/prisma-labs/graphql-request#passing-more-options-to-fetch
*/
options: {
method: 'get', // Default to `POST`
},
/**
* Optional
* default: false (this includes graphql-tag for node_modules folder)
*/
includeNodeModules: true,
},
});
常见问题解答
为什么选择 nuxt-graphql-request
而不是 @nuxtjs/apollo
?
别误会,Apollo Client 非常棒,并且由 vue / nuxt 社区维护良好,我在切换到 graphql-request 之前使用了 Apollo Client 18 个月。
但是,由于我痴迷于性能,Apollo Client 对我来说根本不起作用
- 我不需要另一个状态管理,因为 Vue 生态系统已经足够了(Vuex 和持久化数据)。
- 我不需要在我的应用程序中解析额外的 ~120kb 来获取我的数据。
- 我不需要订阅,因为我使用 pusher.com,还有其他 WS 客户端的替代方案:http://github.com/lunchboxer/graphql-subscriptions-client
为什么我必须安装 graphql
?
graphql-request
使用 graphql
包中的 TypeScript 类型,这样如果您使用 TypeScript 构建项目并且正在使用 graphql-request
但未安装 graphql
,则 TypeScript 构建将失败。详细信息请参考这里。如果您是 JS 用户,那么您实际上不需要安装 graphql
。 但是,如果您使用的 IDE 甚至可以为 JS 拾取 TS 类型(如 VSCode),那么您仍然有必要安装 graphql
,以便在开发过程中受益于增强的类型安全性。
我是否需要将 GraphQL 文档包装在 graphql-request
导出的 gql
模板中?
不用。它在那里是为了方便您获得诸如更漂亮的格式化和 IDE 语法高亮显示之类的工具支持。 如果您出于某种原因也需要,可以使用 graphql-tag
中的 gql
。
graphql-request
、Apollo 和 Relay 之间有什么区别?
graphql-request
是最精简且最易于使用的 GraphQL 客户端。 它非常适合小型脚本或简单应用程序。
与 Apollo 或 Relay 等 GraphQL 客户端相比,graphql-request
没有内置缓存,也没有前端框架的集成。 目标是尽可能保持包和 API 的精简。
nuxt-graphql-request 是否支持变更?
当然,您可以像以前一样执行任何 GraphQL 查询和变更 👍
开发
- 克隆此存储库
- 使用
yarn install
或npm install
安装依赖项 - 使用
yarn dev
或npm run dev
启动开发服务器