Оборачиваем существующее
|
![]() |
– подумал я.
vendor
schema/types
schema/entities
schema/entrypoints
schema/dataLoaders
schema/relations
axios
+ debug
И не забываем про примитивную типизацию ☝️
src/vendor
find ./src/vendor -name '*.ts' | xargs wc -l
⏱ 30 часов
(~20 min на эндпоинт)vendor
graphql-compose
graphql-compose
?schema/types
⏱ 10 часов
20% entity типов M3 и 80% "обслуживающих" типов M2
Вильфредо в шоке
import { TaskTC } from './module2'; FolderTC.addFields({ tasks: { type: () => TaskTC.List, description: 'List of Tasks', },});
import { FolderTC } from './module1'; TaskTC.addFields({ folder: { type: () => FolderTC, description: 'Folder where task', },});
С `graphql-compose` можно обернуть тип в arrow function
schema/entities
⏱ 10 часов
Это время без учёта общих типов (M2)
и связей между Entity (M5,M7).
Task
по ответу из JSONquery
mutation
subscription
https://github.com/nodkz/conf-talks/tree/master/articles/graphql/schema-build-ways
graphql-compose-modules
☝️Подход начала 2020 года
schema/entrypoints
и server.ts
RestQL
(графкуэль без связей)
⏱ 40 часов
export const TaskTC = schemaComposer.createObjectTC({ name: 'Task', fields: { accountId: AccountID.NonNull, parentIds: FolderID.NonNull.List, superParentIds: FolderID.NonNull.List, sharedIds: ContactID.NonNull.List, responsibleIds: ContactID.NonNull.List, authorId: ContactID.NonNull, followerIds: ContactID.NonNull.List, superTaskIds: TaskID.NonNull.List, subTaskIds: TaskID.NonNull.List, dependencyIds: DependencyID.NonNull.List, },});
TaskTC.addFields({ ... // authorId: ContactID.NonNull, author: { type: () => ContactTC, resolve: async (source, args, context, info) => { // метод из папки `vendor/` return contactFindById(source?.authorId, context); }, }, ...});
LEFT JOIN
по idВы id не знаете. База сама вяжет две таблицы – берёт поле с одной таблицы (source) и по его значение фильтрует и вытягивает записи из другой.
schema/entities/TaskTC.ts
⏱ 10 часов
import DataLoader from 'dataloader';import { taskFindByIds } from 'app/vendor/task/taskFindByIds'; const dl = new DataLoader(async (ids) => { const results = await taskFindByIds({ ids }); return ids.map( (id) => results.find((x) => x.id === id) || new Error(`Task: no result for ${id}`) );}); const dataPromise1 = dl.load(1);const dataPromise2 = dl.load(2);const arrayDataPromise = dl.loadMany([2, 10, 15]);
12 DataLoaders serves 51 direct relations ☝️
const ArticleType = new GraphQLObjectType({ name: 'Article', fields: () => ({ author: { type: AuthorType, resolve: (source, args, context, info) => { // context.dataloaders был создан на уровне сервера (см сниппет кода выше) const { dataloaders } = context; // единожды инициализируем DataLoader для получения авторов по ids let dl = dataloaders.get(info.fieldNodes); if (!dl) { dl = new DataLoader(async (ids: any) => { // обращаемся в базу чтоб получить авторов по ids const rows = await authorModel.findByIds(ids); // IMPORTANT: сортируем данные из базы в том порядке, как нам передали ids const sortedInIdsOrder = ids.map(id => rows.find(x => x.id === id)); return sortedInIdsOrder; }); // ложим инстанс дата-лоадера в WeakMap для повторного использования dataloaders.set(info.fieldNodes, dl); } // юзаем метод `load` из нашего дата-лоадера return dl.load(source.authorId); }, }, }),});
resolveOneViaDL
:TaskTC.addFields({ author: { type: () => ContactTC,- // Старый метод с N+1 проблемой- resolve: async (source, args, context, info) => {- return contactFindById(source?.authorId, context);- },+ // Новый метод через DataLoader+ resolve: resolveOneViaDL('ContactID', (s) => s.authorId), },});
resolveOneViaDL()
возвращает resolve метод для GraphQLexport function resolveOneViaDL( entityName: DataLoaderEntityNames, idGetter: (s, a, c, i) => string): GraphQLFieldResolver<any, any> { return (source, args, context, info) => { const id = idGetter(source, args, context, info); if (!id) return null; return getDataLoader(entityName, context, info).load(id); };}
и используем ещё один генератор `getDataLoader()`
getDataLoader()
/** * Get DataLoader instance, global o fieldNode specific */function getDataLoader( entityName: keyof typeof DataLoadersCfg, context: Record<string, any>, info: GraphQLResolveInfo) { if (!context.dataLoaders) context.dataLoaders = new WeakMap(); const { dataLoaders } = context; // determine proper key in Context for DataLoader const cfg = DataLoadersCfg[entityName]; let contextKey: any; if (cfg.kind === DataLoaderKind.FieldNode) { // available for only current fieldNode contextKey = info.fieldNodes; } else { // available for all field levels contextKey = cfg; } // get or create DataLoader in GraphQL context let dl: DataLoader<any, any> = dataLoaders.get(contextKey); if (!dl) { dl = cfg.init(context, info); dataLoaders.set(contextKey, dl); } return dl;} /** * Mapper config EntityID name to Dataloader creator */const DataLoadersCfg = { // Global DataLoaders ApprovalID: { init: approvalDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, AttachmentID: { init: attachmentDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, CommentID: { init: commentDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, DependencyID: { init: dependencyDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, CustomFieldID: { init: customFieldDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, TimelogID: { init: timelogDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, TimelogCategoryID: { init: timelogCategoryDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, WorkScheduleID: { init: workScheduleDLG, kind: DataLoaderKind.OperationGlobal } as DLCfg, // FieldNodes specific loaders AccountID: { init: accountDL, kind: DataLoaderKind.FieldNode } as DLCfg, ContactID: { init: contactDL, kind: DataLoaderKind.FieldNode } as DLCfg, FolderID: { init: folderDL, kind: DataLoaderKind.FieldNode } as DLCfg, TaskID: { init: taskDL, kind: DataLoaderKind.FieldNode } as DLCfg,}; /** * Example of one dataloader creator */export function contactDL(context: any, info: GraphQLResolveInfo) { return new DataLoader<string, any>(async (ids) => { const results = await contactFindByIds({ ids, info }, context); return ids.map( (id) => results.find((x) => x.id === id) || new Error(`Contact: no result for ${id}`) ); });}
schema/dataLoaders
⏱ 20 часов
export function getRelationContactIds( sourceFieldName: string): ObjectTypeComposerFieldConfigDefinition<any, any> { return { type: () => ContactTC.NonNull.List, resolve: resolveManyViaDL('ContactID', (s) => s[sourceFieldName]), projection: { [sourceFieldName]: 1 }, };}
export function getRelationTasksBySpaceId( sourceFieldName: string): ObjectTypeComposerFieldConfigDefinition<any, any> { return { type: () => TaskTC.NonNull.List, args: { filter: TaskFilterByRelation, sort: TaskFindManySortEnum, limit: 'Int', pageSize: 'Int', }, resolve: (source, args, context, info) => { return taskFindMany( { info, filter: { ...args.filter, spaceId: source[sourceFieldName], }, limit: args.limit, pageSize: args.pageSize, ...args.sort, }, context ); }, projection: { [sourceFieldName]: 1 }, };}
Представьте, что этот код вам надо переиспользовать несколько раз в вашей схеме
wrike-graphql
Contact
Если знать, что существует endpoint GET /tasks
,
который принимает два параметра
для фильтрации тасков – authors
, responsibles
.
schema/relations
⏱ 20 часов
Считает в попугаях. Ну, или чтобы было проще понять – максимально возможное кол-во полей.
execute
)wrike-graphql
graphql-query-complexity
queryCostPlugin.ts
complexity
в полях нашей схемы (Complexity Estimators)complexity
Например в Folders
нет лимита. И чёрт его знает, сколько там может вернуться элементов, поэтому тяжело спрогнозировать сложность вложенного запроса.
limit
или pageSize
extensions: { complexity: ({ childComplexity }) => childComplexity * 10 }
Делаем допущение, что в списках в среднем возвращается 10 элементов.
queryCostPlugin.ts
schema/entrypoints/query/taskFindMany.ts
schema/relations/task.ts
⏱ 10 часов
headers
в контекстconst apolloServer = new ApolloServer({ schema, context: ({ req }) => { ctx.headers = req?.headers; return ctx; },});
export default { type: TaskTC.NonNull.List, args: { ids: TaskID.NonNull.List.NonNull, }, resolve: (source, args, context, info) => { return taskFindByIds({ ids: args.ids, info }, context); },};
export function taskDL(context: any, info: GraphQLResolveInfo) { return new DataLoader<string, any>(async (ids) => { const results = await taskFindByIds({ ids, info }, context); return ids.map( (id) => results.find((x) => x.id === id) || new Error(`Task: no result for ${id}`) ); });}
export function getRelationTaskIds(sourceFieldName: string) { return { type: () => TaskTC.NonNull.List, resolve: (source, _, context, info) => { return taskFindByIds( { ids: source[sourceFieldName], info }, context, ); }, };}
⏱ 10 часов
30 часов
10 часов
10 часов
40 часов
10 часов
20 часов
20 часов
10 часов
10 часов
* не забудьте умножить на коэффициент
способности-и-производительности вашего человека-дня
wrike-graphql
limit
, но нет offset
nextPageToken
протухает через час-два (и опять запрашивать все данные сначала)