使用Graphql仅加载数据库所需的数据

时间:2017-02-09 10:23:21

标签: sql graphql

我正在学习graphql,我想我已经发现了一个缺陷。 假设我们有这样的架构

type Hero {
  name: String
  friends: [Person]
}

type Person {
  name: String
}

和两个查询

{
  hero {
    name
    friends {
      name
    }
  }
}

和这个

{
  hero {
    name
  }
}

一个关系数据库,它有两个对应的表HerosPersons

如果我的理解是正确的,我无法解决此查询,以便对于第一个查询,生成的SQL查询将是

select Heros.name, Persons.name
from Heros, Persons
where Hero.name = 'Some' and Persons.heroid = Heros.id

第二次

select Heros.name, Persons.name from Heros

这样只会从数据库中加载查询真正需要的字段。

我是对的吗? 此外,如果graphql只能返回查询所需的数据,而不是对完整模式有效的数据,我认为这是可能的,对吗?

2 个答案:

答案 0 :(得分:2)

是的,这绝对是可能和鼓励的。但是,它的要点是,在您明确解释如何获取数据之前,GraphQL基本上不了解您的存储层。关于这一点的好消息是,无论数据存在于何处,您都可以使用graphql来优化查询。

如果您使用javascript,则有一个包graphql-fields可以简化您在理解查询选择集方面的生活。它看起来像这样。

如果您有此查询

query GetCityEvents {
  getCity(id: "id-for-san-francisco") {
    id
    name
    events {
      edges {
        node {
          id
          name
          date
          sport {
            id
            name
          }
        }
      }
    }
  }
}

然后解析器可能看起来像这样

import graphqlFields from 'graphql-fields';

function getCityResolver(parent, args, context, info) {
  const selectionSet = graphqlFields(info);
  /**
    selectionSet = {
      id: {},
      name: {},
      events: {
        edges: {
          node: {
            id: {},
            name: {},
            date: {},
            sport: {
              id: {},
              name: {},
            }
          }
        }
      }
    }
  */
  // .. generate sql from selection set
  return db.query(generatedQuery);
}

还有一些更高级别的工具,例如join monster,可能对此有所帮助。

这是一篇博文,更详细地介绍了其中的一些主题。 https://scaphold.io/community/blog/querying-relational-data-with-graphql/

答案 1 :(得分:0)

在Scala实现(Sangria-grahlQL)中,您可以通过以下方式实现此目的:

假设这是客户端查询:

query BookQuery { 
    Books(id:123) { 
      id 
      title 
      author {
        id
        name
      }
    }
}

这是Garphql Server中的QueryType。

val BooksDataQuery = ObjectType(
    "data_query",
    "Gets books data",
    fields[Repository, Unit](
      Field("Books", ListType(BookType), arguments = bookId :: Nil, resolve = Projector(2, (context, fields) =>{ c.ctx.getBooks(c.arg(bookId), fields).map(res => res)}))
    )
)
val BookType = ObjectType( ....)
val AuthorType = ObjectType( ....)

Repository class:

def getBooks(id: String, projectionFields: Vector[ProjectedName]) {
/* Here you have the list of fields that client specified in the query. 
    in this cse Book's id, title and author - id, name. 
    The fields are nested, for example author has id and name. In this case author will have sequence of id and name. i.e. above query field will look like:
    Vector(ProjectedName(id,Vector()), ProjectedName(title,Vector()),ProjectedName(author,ProjectedName(id,Vector()),ProjectedName(name,Vector())))

    Now you can put your own logic to read and parse fields the collection and make it appropriate for query in database. */
}

基本上,您可以在QueryType的字段resolver中拦截客户端指定的字段。