我正在运行 Apollo 的 Graphql 服务器,目标是获取一些数据。但是,我在本地需要这些数据 - 在同一台服务器上。这可能吗,或者是使用 http 查询 Apollo 服务器的唯一方法?
我知道我可以在不使用 GraphQl 的情况下完成此任务,只需访问数据层,但问题是我希望从中受益:
我已经有了一个可行的解决方案,我只需使用
node-fetch
来查询本地主机,但这似乎有相当多的开销。
是的,这是可能的!
Apollo 为您构建和执行模式,但您也可以自己完成。 这是一个基于
apollo-server-express
包的迷你示例。我创建架构,然后将其提供给 apollo 服务器。看下面的服务器启动,我还创建了一个查询字符串,然后解析它并在没有 apollo 和没有 http 请求的情况下执行它。
const express = require('express');
const { ApolloServer, gql, makeExecutableSchema } = require('apollo-server-express');
const { parse } = require('graphql/language')
const { execute } = require('graphql')
// Construct a schema, using GraphQL schema language
const typeDefs = gql`
type Query {
hello: String
}
`;
// Provide resolver functions for your schema fields
const resolvers = {
Query: {
hello: () => 'Hello world!',
},
};
const schema = makeExecutableSchema({
typeDefs,
resolvers,
})
async function startApolloServer() {
const server = new ApolloServer({ schema });
await server.start();
const app = express();
server.applyMiddleware({ app });
await new Promise(resolve => app.listen({ port: 4000 }, resolve));
console.log(`🚀 Server ready at http://localhost:4000${server.graphqlPath}`);
return { server, app };
}
startApolloServer()
const query = `
query {
hello
}
`
const document = parse(query)
const res = execute({
schema,
document,
})
console.log('res no request:', res)
如果运行它,请使用 npm 安装
apollo-server-express
和 graphql
,然后就可以开始了
要执行,您也可以传递所有请求逻辑:
execute({
schema,
document,
rootValue: {},
contextValue: {
userInfo,
dbClient,
},
variableValues: body.variables,
}),
如果您想测试您的服务器,它也非常有用。如果您需要订阅,也可以使用从 graphql 导入的
subscribe
方法。
虽然接受的答案是一个完全有效的解决方案,但这里有一个替代版本,不依赖于调用
graphql
包和 makeExecutableSchema
。这两种解决方案大致相同,但我认为这更符合OP的想法。
import express from 'express';
import { ApolloServer, gql } from 'apollo-server-express';
// Construct a schema, using GraphQL schema language
const typeDefs = gql`
type Query {
hello: String
}
`;
// Provide resolver functions for your schema fields
const resolvers = {
Query: {
hello: () => 'Hello world!',
},
};
async function startApolloServer() {
const server = new ApolloServer({ typeDefs, resolvers });
await server.start();
const app = express();
server.applyMiddleware({ app });
await new Promise(resolve => app.listen({ port: 4000 }, resolve));
console.log(`🚀 Server ready at http://localhost:4000${server.graphqlPath}`);
return { server, app };
}
const { server } = await startApolloServer()
const query = `
query {
hello
}
`
const res = await server.executeOperation({
query,
})
console.log('res no request:', res)