有嵌套突变的Graphql?

时间:2017-03-08 11:56:51

标签: graphql graphql-js

我试图找出如何使用graphql突变来改变嵌套对象,如果可能的话。例如,我有以下架构:

type Event {
    id: String
    name: String
    description: String
    place: Place
}

type Place {
    id: String
    name: String
    location: Location
}

type Location {
    city: String
    country: String
    zip: String
}

type Query {
    events: [Event]
}

type Mutation {
    updateEvent(id: String, name: String, description: String): Event
}

schema {
    query: Query
    mutation: Mutation
}

如何在updateEvent突变中添加地点信息?

2 个答案:

答案 0 :(得分:8)

一般来说,您应该避免将突变的参数视为模式中对象类型的直接映射。虽然它们通常是相似的,但你最好在不假设它们的情况下接近它们。

以基本类型为例。假设我想创建一个新事件,但不是知道位置,而是我只有经度/纬度 - 它实际上是从这个数据计算真实位置对象的后端,我当然不知道它的ID(它还没有!)。我可能会像这样构建我的变异:

input Point {
  longitude: Float!
  latitude: Float!
}

input PlaceInput {
  name
  coordinates: Point!
}

type mutation {
  createEvent(
    name: String!
    description: String
    placeId: ID
    newPlace: PlaceInput
  ): Event  
  updateEvent(
    id: ID!
    name: String!
    description: String
    placeId: ID
    newPlace: PlaceInput
  ): Event
)

突变基本上只是一个函数调用,最好用这些术语来考虑它。如果您编写了一个函数来创建一个事件,您可能不会为它提供一个事件并期望它返回一个事件,您将提供创建事件所需的信息

答案 1 :(得分:2)

如果要将整个对象添加到突变中,则必须定义输入类型的graphql元素。这是指向小cheatsheet的链接。

在您的情况下,它可能如下所示:

`
type Event {
    id: String
    name: String
    description: String
    place: Place
}

type Place {
    id: String
    name: String
    location: Location
}

input PlaceInput {
    id: ID!
    name: String!
    location: Location!
}

type Location {
    city: String
    country: String
    zip: String
}

type Query {
    events: [Event]
}

type Mutation {
    updateEvent(id: String, name: String, description: String, place: PlaceInput!): Event
}

schema {
    query: Query
    mutation: Mutation
}
`