3

我有这个数据模型:

type Item {
  id: ID! @unique
  title: String!
  description: String!
  user: User!
  pictures: [Picture]
  basePrice: Int!
  addons: [Addon]
}

我正在编写一个名为 parsedItem 的查询,它从参数中获取 id 并查找 Item(使用 Prisma 生成的 Item 的默认查询),如下所示:

 const where = { id: args.id };
 const item = await ctx.db.query.item({ where }, 
    `{
      id
      title
      ...

我需要在前端显示一个计算值:“dynamicPrice”,它取决于项目所具有的插件的数量。例如:项目 #1 有 3 个插件,每个插件的价值为 5 美元。这个计算值应该是

dynamicPrice = basePrice + 3 * 5

插件关系可能会改变,所以我需要在前端发出的每个请求中计算它。

我非常想做类似的事情:

item.dynamicPrice = item.basePrice + (item.addons.length * 5)

并在解析器中返回此项目,但这不起作用。抛出一个错误:

"message": "无法查询类型 \"Item\" 上的字段 \"dynamicPrice\"。" (当我尝试从前端查询项目时

此错误消息让我思考:我应该在数据模型上创建 dynamicPrice 作为字段吗?然后我可以在查询解析器中填充这个字段吗?我知道我可以,但这是一个好方法吗?

这是一个例子,我需要为这个 Item 模型创建更多的计算值。

对于这个简单的用例,最好的可扩展解决方案/解决方法是什么?

4

1 回答 1

3

您需要为类型的字段创建字段解析器。它看起来像这样:dynamicPriceItem

const resolvers = {
  Query: {
    parsedItem: (parent, args, ctx, info) => {
      ...
    }
    ...
  },
  Item: {
    dynamicPrice: parent => parent.basePrice + parent.addons.length * 5
  }
}

您可以在A Guide to Common Resolver Patterns中找到更多详细信息。

于 2019-03-06T23:22:29.513 回答