如何从需要 return 语句的 GraphQL 解析器中调用异步 node.js 函数?
Posted
技术标签:
【中文标题】如何从需要 return 语句的 GraphQL 解析器中调用异步 node.js 函数?【英文标题】:How do I call an asynchronous node.js function from within a GraphQL resolver requiring a return statement? 【发布时间】:2017-10-11 07:32:02 【问题描述】:graphql.org/graphql-js 上提供的用于创建简单 GraphQL 实现的 Hello World 示例如下:
var graphql, buildSchema = require('graphql');
// Construct a schema, using GraphQL schema language
var schema = buildSchema(`
type Query
hello: String
`);
// The root provides a resolver function for each API endpoint
var root =
hello: () =>
return 'Hello World!';
;
// Run the GraphQL query ' hello ' and print out the response
graphql(schema, ' hello ', root).then((response) =>
console.log(response);
);
我正在尝试在解析器中运行一个异步函数,例如数据库调用,但我似乎不知道如何使其工作:
我正在尝试做的事情:
var graphql, buildSchema = require('graphql');
// Construct a schema, using GraphQL schema language
var schema = buildSchema(`
type Query
data: String
`);
// The root provides a resolver function for each API endpoint
var root =
data: () =>
getData((data) =>
return data; // Returns from callback, instead of from resolver
;
// Run the GraphQL query ' data ' and print out the response
graphql(schema, ' data ', root).then((response) =>
console.log(response);
);
我尝试过使用 Promise,但似乎没有办法在不输入回调的情况下逃避 Promise。我还尝试了各种包装异步 getData
函数以强制它同步的方法,但最终不得不从异步函数返回一个值,同样的问题。我觉得这不可能这么复杂,我的意思是 GraphQL-JS 是 Facebook 写的。
【问题讨论】:
【参考方案1】:所以这个问题是你在弄明白后觉得很愚蠢的问题之一,但由于我花了很长时间努力解决它,我会回答我自己的问题,希望其他人能从中受益。
事实证明,GraphQL 解析器函数必须返回一个值或解析为该值的承诺。所以我试图做这样的事情:
var graphql, buildSchema = require('graphql');
// Construct a schema, using GraphQL schema language
var schema = buildSchema(`
type Query
data: String
`);
// The root provides a resolver function for each API endpoint
var root =
data: () =>
getData((data) =>
return data; // Returns from callback, instead of from resolver
;
// Run the GraphQL query ' data ' and print out the response
graphql(schema, ' data ', root).then((response) =>
console.log(response);
);
可以这样做:
var graphql, buildSchema = require('graphql');
// Construct a schema, using GraphQL schema language
var schema = buildSchema(`
type Query
data: String
`);
let promiseData = () =>
return new Promise((resolve, reject) =>
getData((data) =>
resolve(data);
);
);
;
// The root provides a resolver function for each API endpoint
var root =
data: () =>
return promiseData();
;
// Run the GraphQL query ' data ' and print out the response
graphql(schema, ' data ', root).then((response) =>
console.log(response);
);
【讨论】:
以上是关于如何从需要 return 语句的 GraphQL 解析器中调用异步 node.js 函数?的主要内容,如果未能解决你的问题,请参考以下文章