如何使用 nexus-prisma 做一个嵌套的变异解析器

How to do a nested mutation resolver with nexus-prisma

我有以下数据模型:

type Job { 
    // ...
    example: String
    selections: [Selection!]
    // ...
}

type Selection { 
    ...
    question: String
    ...
}

我这样定义我的对象类型:

export const Job = prismaObjectType({
  name: 'Job',
  definition(t) {
    t.prismaFields([
      // ...
      'example',
      {
        name: 'selections',
      },
      // ...
    ])
  },
})

我是这样处理解析器的:

t.field('createJob', {
  type: 'Job',
  args: {
    // ...
    example: stringArg(),
    selections: stringArg(),
    // ...
  },
  resolve: (parent, {
    example,
    selections
  }, ctx) => {
    // The resolver where I do a ctx.prisma.createJob and connect/create with example
  },
})

所以现在在解析器中我可以将选择作为 json 字符串接收,然后将其解析并 connect/create 与作业一起使用。

变异看起来像这样:

mutation {
  createJob(
    example: "bla"
    selections: "ESCAPED JSON HERE"
  ){
    id
  }
}

我想知道是否有更优雅的地方我可以做类似的事情:

mutation {
  createJob(
    example: "bla"
    selections: {
       question: "bla"
    }
  ){
    id
  }
}

mutation {
  createJob(
    example: "bla"
    selections(data: {
      // ...
    })
  ){
    id
  }
}

我注意到 nexus-prisma 你可以做 stringArg({list: true}) 但你不能真正做对象。

我的主要问题是进行嵌套变异或将所有连接合而为一的最优雅的方法是什么。

您可以使用 inputObjectType,如文档中所示:

export const SomeFieldInput = inputObjectType({
  name: "SomeFieldInput",
  definition(t) {
    t.string("name", { required: true });
    t.int("priority");
  },
});

确保将类型作为传递给 makeSchematypes 的一部分。然后你可以用它来定义一个参数,比如

args: {
  input: arg({
    type: "SomeFieldInput", // name should match the name you provided
  }),
}

现在,参数值将作为常规 JavaScript 对象而不是字符串提供给您的解析器。如果你需要一个输入对象列表,或者想要使参数成为必需的,你可以使用你在使用标量时提供的 same options -- list, nullable, description,等等

这是一个完整的例子:

const Query = queryType({
  definition(t) {
    t.field('someField', {
      type: 'String',
      nullable: true,
      args: {
        input: arg({
          type: "SomeFieldInput", // name should match the name you provided
        }),
      },
      resolve: (parent, { input }) => {
        return `You entered: ${input && input.name}`
      },
    })
  },
})

const SomeFieldInput = inputObjectType({
  name: "SomeFieldInput",
  definition(t) {
    t.string("name", { required: true });
  },
});

const schema = makeSchema({
  types: {Query, SomeFieldInput},
  outputs: {
    ...
  },
});

然后这样查询:

query {
  someField(
    input: {
       name: "Foo"
    }
  )
}

或使用变量:

query($input: SomeFieldInput) {
  someField(input: $input)
}