4

我有以下数据模型:

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 字符串接收,然后解析它并使用作业连接/创建。

突变看起来像这样:

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}),但你不能真正做对象。

我的主要问题是什么是最优雅的方式来进行嵌套突变或将所有内容连接在一起。

4

1 回答 1

4

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

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

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

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

现在,解析器可以使用参数值作为常规 JavaScript 对象,而不是字符串。如果您需要输入对象的列表,或者想要使参数成为必需,您可以使用与使用标量时提供的相同选项list-- 、nullabledescription等。

这是一个完整的例子:

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)
}
于 2019-04-29T00:09:32.863 回答