web-dev-qa-db-ja.com

GraphQLのネストされたクエリ定義

次のようなクエリを取り除くために、クエリにツリーのような構造を作成しようとしています

peopleList, peopleSingle, peopleEdit, peopleAdd, peopleDelete companyList, companySingle, companyEdit, companyAdd, companyDelete etc. 

最後に、次のようなクエリを送信します。

query test {
  people {
    list {
      id
      name
    }
    single(id: 123) {
      id
      name
    }
  }
  company {
    list {
      id
      name
    }
    single(id: 456) {
      id
      name
    }
  }
}

mutation test2 {
  people {
    create(data: $var) {
      id
      name
    }
  }
  people {
    edit(id: 123, data: $var) {
      id
      name
    }
  }
}

これは、peopleモジュールのクエリオブジェクトの一部です。

people: {
  type: //What type this should be?
  name: 'Root of People queries',
  fields: () => ({
    list: {
      type: peopleType,
      description: 'Returns all people in DB.',
      resolve: () => {
        // resolve method implementation
      }
    },
    single: {
      type: peopleType,
      description: 'Single row from people table. Requires ID argument.',
      args: {
        id: { type: new GraphQLNonNull(GraphQLID) }
      },
      resolve: () => {
        // resolve method implementation
      }
    }
  })
}

私はこのスニペットをGraphQLObjectTypeに入れてから、RootQueryでそれらを結合しようとしました(再度GraphQLObjectTypeを使用)-機能しませんでした。

別の方法としては、peopleQueriesTypeのように、新しいタイプを作成し、このタイプ内ですべてのクエリをフィールドとして指定してから、このオブジェクトに対して単一のクエリを作成する方法があります。しかし、これは私には奇妙に思えます。コードを不要なオブジェクトで汚染して、クエリをツリーのような形にマージするだけです。

Apolloサーバーの実装を調べてみましたが、この種類のクエリ構造を実行できる場合は、ドキュメントでヘルプを見つけることができませんでした。

サーバーでnode.js + express + graphql-jsを使用しています。

7
CorwinCZ

短い答え:
typeは、次のようなすべてのフィールドを含むGraphQLObjectTypeである必要があります。

type: new GraphQLObjectType({ name: 'patientQuery', fields: { find, findOne } })

詳細:次のコードを使用して、このクエリで終了しました。

{
  patient {
    find {
      id
      active
    }
    findOne(id: "pat3") {
      id
      active
    }
  }
}

patient/queries/index.js私はこれを持っています

import findOne from './find-one.js';
import find from './find.js';
import { GraphQLObjectType } from 'graphql';

export default {
  patient: {
    type: new GraphQLObjectType({ name: 'patientQuery', fields: { find, findOne } }),
    resolve(root, params, context, ast) {
      return true;
    }
  }
};

次にqueries.js

import patient from './patient/queries/index.js';
export default {
  ...patient
};

そして最後に私のスキーマschema.js graphql Expressサーバーに渡されます

import {
  GraphQLObjectType,
  GraphQLSchema
} from 'graphql';

import queries from './queries';
import mutations from './mutations';

export default new GraphQLSchema({
  query: new GraphQLObjectType({
    name: 'Query',
    fields: queries
  }),
  mutation: new GraphQLObjectType({
    name: 'Mutation',
    fields: mutations
  })
});
6
Shalkam