在架构中保持嵌套对象顺序的最佳方法是什么。
我的模式:
type Article {
id: ID! @id
pages: [Page!]!
}
type Page {
id: ID! @id
}
这是我尝试对页面进行排序的方法(失败):
updateArticle({
variables: {
aricle.id,
data: {
pages: {
connect: reorderPages(aricle.pages)
}
}
}
解析器:
t.field("updateArticle", {
type: "Article",
args: {
id: idArg(),
data: t.prismaType.updateArticle.args.data
},
resolve: (_, { id, data }) => {
return ctx.prisma.updateArticle({
where: { id },
data
});
}
});
我理解为什么这种方法是错误的。我想应该通过连接表中的订单索引将订单写入数据库。我不知道如何通过GraphQL / Nexus / Prisma / MySQL处理该问题。
答案 0 :(得分:1)
对于N:M而言,架构如下所示:
type Article {
id: ID! @id
title: String!
items: [ArticleItemEdge!]!
}
type ArticleItemEdge {
id: ID! @id
article: Article! @relation(link: INLINE)
item: Item! @relation(link: INLINE)
order: Int!
}
type Item {
id: ID! @id
title: String!
articles: [ArticleItemEdge!]!
}
然后以更“中继”的方式查询带有边缘和节点的文章
query {
articles {
items(orderBy: order_ASC) {
item {
title
}
}
}
}
如果不需要N:M,则可以像这样更新架构定义:
type Article {
id: ID! @id
items: [Item!]!
}
type Item {
id: ID! @id
article: Article! @relation(link: INLINE)
order: Int!
}
^这会将db表变成1:N关系,而不是n:m
然后您可以发出如下查询:
query {
articles {
id
items(orderBy: order_ASC) {
id
}
}
}
更新“订单”的值应该是直接的,因此在此将其省略。
希望它能回答您的问题!