我是GraphQL的新手,我正在尝试设置一个演示应用程序,以便与我的同事进行一些介绍性的讨论。
我正在使用NodeJS。
我想出了以下架构:
type Query {
author(id:Int!): Author
song(id:Int!): Song
}
type Author {
id:Int!
name:String!
songs(max:Int):[Song]!
}
type Song {
id:Int!
name:String!
author:Author!
}
这是与Song.author协会相关的解析器的一部分:
[...]
Song: {
author: ({ id }, args, context, info) => {
return mergeInfo.delegate(
'query',
'author',
{ id },
context,
info,
);
}
}
[...]
所以这种方法的问题是我需要将Song.id添加到包含的查询中,以便能够在其中包含Song.author:
{
song(id: 1) {
id
author {
name
}
}
}
以下不起作用:
{
song(id: 1) {
author {
name
}
}
}
根据实施情况,它会给我一个错误或null
(这会更糟)。
这迫使编写查询的人知道后端的实现细节,这显然是不好的。 :P
有没有人对此问题有任何解决方案?有什么我忽略的吗?
我尝试过使用info
对象,但这只是因为我需要的id是查询的一部分而解决问题,但是我可以想出一个场景,其中我需要的是param在仅在后端可用的数据中。
更新
根据Daniel的要求(谢谢),这是创建包含拼接的架构的整个测试文件:
const { makeExecutableSchema, mergeSchemas } = require('graphql-tools');
const DATA = {
authors: {
1: { id: 1, name: 'John' },
2: { id: 2, name: 'Paul' },
},
songs: {
1: { id: 1, name: 'Love me do', authorId: 1 },
2: { id: 2, name: 'I wanna be your man', authorId: 1 },
3: { id: 3, name: 'I\'ll be back', authorId: 2 },
}
};
const authorsTypes = `
type Query {
author(id:Int!): Author
}
type Author {
id:Int!
name:String!
}
`;
const authorSchema = makeExecutableSchema({
typeDefs: authorsTypes,
resolvers: {
Query: {
author: (_, { id }) => DATA.authors[id],
},
},
});
const authorsLinksTypes = `
extend type Author {
songs(max:Int):[Song]!
}
`;
const authorsLinksResolvers = mergeInfo => ({
Author: {
songs: ({ id }, args, context, info) => {
return Object.values(DATA.songs).filter(it => it.authorId === id)
}
},
});
const songsTypes = `
type Query {
song(id:Int!): Song
}
type Song {
id:Int!
name:String!
}
`;
const songsSchema = makeExecutableSchema({
typeDefs: songsTypes,
resolvers: {
Query: {
song: (_, { id }) => DATA.songs[id],
},
},
});
const songsLinksTypes = `
extend type Song {
author:Author!
}
`;
const songsLinksResolvers = mergeInfo => ({
Song: {
author: ({ id }, args, context, info) => {
return mergeInfo.delegate(
'query',
'author',
{ id },
context,
info,
);
}
},
});
module.exports = mergeSchemas({
schemas: [authorSchema, songsSchema, songsLinksTypes, authorsLinksTypes],
resolvers: mergeInfo => ({
...songsLinksResolvers(mergeInfo),
...authorsLinksResolvers(mergeInfo),
}),
});
答案 0 :(得分:1)
处理此问题的最简单方法是利用上下文传递歌曲ID。这意味着您需要修改Query: {
song: (_, { id }, context) => {
context.songId = id
return DATA.songs[id]
},
},
查询的解析器,如下所示:
Song: {
author: (song, args, context, info) => {
const id = song.id || context.songId
return mergeInfo.delegate(
'query',
'author',
{ id },
context,
info,
);
}
},
然后你可以从作者解析器中的上下文中获取id
{{1}}