2

我阅读了Prisma Relations文档,它修复了我的findMany查询,该查询能够返回有效数据,但我得到的结果与 findUnique 不一致。

架构

model User {
  id       Int       @id @default(autoincrement())
  fname    String
  lname    String
  email    String
  password String
  vehicles Vehicle[]
}

model Vehicle {
  id      Int    @id @default(autoincrement())
  vin     String @unique
  model   String
  make    String
  drivers User[]
}

类型定义

const typeDefs = gql'
    type User {
      id: ID!
      fname: String
      lname: String
      email: String
      password: String
      vehicles: [Vehicle]
    }

    type Vehicle {
      id: ID!
      vin: String
      model: String
      make: String
      drivers: [User]
    }

    type Mutation {
      post(id: ID!, fname: String!, lname: String!): User
    }

    type Query {
      users: [User]
      user(id: ID!): User
      vehicles: [Vehicle]
      vehicle(vin: String): Vehicle
    }
'

这个有效

users: async (_, __, context) => {
        return context.prisma.user.findMany({
          include: { vehicles: true}
        })
      },

但是,由于某种原因, findUnique 版本不会解析“车辆”的数组字段

这个不行

user: async (_, args, context) => {
     const id = +args.id
     return context.prisma.user.findUnique({ where: {id} }, 
         include: { vehicles: true}
     )
},

这就是它返回的内容

{
  "data": {
    "user": {
      "id": "1",
      "fname": "Jess",
      "lname": "Potato",
      "vehicles": null
    }
  }
}

我正在阅读有关片段并尝试查找有关 graphql 解析器的文档,但我没有找到任何可以解决此问题的相关内容。

任何见解将不胜感激!谢谢!

4

1 回答 1

1

您需要修复传递给findUnique. {注意和的排列}

改变

return context.prisma.user.findUnique({ where: { id } },
  //                                                  ^
  include: { vehicles: true}
)

return context.prisma.user.findUnique({
  where: { id }, 
  include: { vehicles: true }
})
于 2021-01-02T14:24:45.107 回答