1

我正在尝试扩展自动生成的 graphql 模式neo4j-graphql-js

这是我的 graphql 架构

类型定义

type Person {
   _id: Long!
   addresslocation: Point!
   confirmedtime: DateTime!
   healthstatus: String!
   id: String!
   name: String!
   performs_visit: [Visit] @relation(name: "PERFORMS_VISIT", direction: OUT)
   visits: [Place] @relation(name: "VISITS", direction: OUT)
   VISITS_rel: [VISITS]
}

type Place {
   _id: Long!
   homelocation: Point!
   id: String!
   name: String!
   type: String!
   part_of: [Region] @relation(name: "PART_OF", direction: OUT)
   visits: [Visit] @relation(name: "LOCATED_AT", direction: IN)
   persons: [Person] @relation(name: "VISITS", direction: IN)
}

type Visit {
   _id: Long!
   duration: String!
   endtime: DateTime!
   id: String!
   starttime: DateTime!
   located_at: [Place] @relation(name: "LOCATED_AT", direction: OUT)
   persons: [Person] @relation(name: "PERFORMS_VISIT", direction: IN)
}

type Region {
   _id: Long!
   name: String!
   places: [Place] @relation(name: "PART_OF", direction: IN)
}

type Country {
   _id: Long!
   name: String!
}

type Continent {
   _id: Long!
   name: String!
}



type VISITS @relation(name: "VISITS") {
  from: Person!
  to: Place!
  duration: String!
  endtime: DateTime!
  id: String!
  starttime: DateTime!
}

现在我扩展了Person以执行自定义查询,为了做到这一点,我正在使用@cypher指令

类型定义2

type Person {
        potentialSick: [Person] @cypher(statement: """
            MATCH (p:this)--(v1:Visit)--(pl:Place)--(v2:Visit)--(p2:Person {healthstatus:"Healthy"})
            return *
        """)
  }

我通过合并两个 typeDefs 创建模式,它按预期工作

export const schema = makeAugmentedSchema({
    typeDefs: mergeTypeDefs([typeDefs, typeDefs2]),
    config: {
        debug: true,
    },
});

问题

是否可以从我的自定义查询中返回自定义类型(在 graphql 中映射)potentialSick

我的目标是返回与此类似的类型

type PotentialSick {
    id: ID
    name: String
    overlapPlaces: [Place] 
}

pl在我的 neo4j 查询中,重叠的地方在哪里

MATCH (p:this)--(v1:Visit)--(pl:Place)--(v2:Visit)--(p2:Person {healthstatus:"Healthy"})
4

1 回答 1

1

我意识到这neo4j-graphql-js是一个查询构建器,所以我可以通过使用 graphql 来获取我的数据,只需使用主模式。我的查询将是:

{
  Person(filter: { healthstatus: "Sick" }) {
    id
    visits {
      _id
      persons(filter: { healthstatus: "Healthy" }) {
        _id
      }
    }
  }
}

考虑到这一原则,对于需要的更复杂的查询,@cyper我可以扩展每种类型的基本模式并依赖于 graphql 功能

举个例子

type Person {
        potentialSick: [Place] @cypher(statement: """
            MATCH path =(this)-[:VISITS]->(place:Place)<-[:VISITS]-(p2:Person {healthstatus:"Healthy"})
            return place
        """)

potentialSick 返回places,然后获取访问那个地方的人,我可以使用 graphql

{
  Person(filter: { healthstatus: "Sick" }) {
    id
    potentialSick {
      persons (filter: { healthstatus: "Healthy" }){
        _id
      }
    }
  }
}
于 2020-10-23T13:53:22.123 回答