nest.js 集成graphql TypeScript by mercurius

所有涉及service、model均要在model注册

GraphQL是一种强大的 API 查询语言,也是使用现有数据完成这些查询的运行时。这是一种优雅的方法,可以解决通常在 REST API 中发现的许多问题。对于背景,建议阅读GraphQL 和 REST 之间的比较。GraphQL 与TypeScript相结合,可帮助您使用 GraphQL 查询开发更好的类型安全性,为您提供端到端的输入。

Mercurius(带有@nestjs/mercurius)。我们为这些经过验证的 GraphQL 包提供官方集成,以提供一种将 GraphQL 与 Nest 结合使用的简单方法(请在此处查看更多集成)。

安装

# graphql 
$ yarn add @nestjs/graphql @nestjs/mercurius graphql mercurius graphql-scalars
# 切换fastify 内核
$  yarn add @nestjs/platform-fastify

声明

  • /src/app.module.ts
import { Module } from '@nestjs/common';
import { AppController } from './app.controller';
import { AppService } from './app.service';
import { ConfigModule } from '@nestjs/config';
import configuration from 'config/configuration';
import { SequelizeModule, SequelizeModuleOptions } from '@nestjs/sequelize';
import { DataLogHisModel } from './model/customer/data-log-his.model';
import { DataopOperationModel } from './model/customer/dataop-operation.model';
import { DataopItemOperationModel } from './model/customer/dataop-item-operation.model';
import { OrgRoleModel } from './model/customer/org-role.model';
import { OrganizationModel } from './model/customer/organization.model';
import { OrgroleUserModel } from './model/customer/orgrole-user.model';
import { RoleModel } from './model/customer/role.model';
import { UserModel } from './model/customer/user.model';
import { WebopOrgroleModel } from './model/customer/webop-orgrole.model';
import { WebOperationModel } from './model/customer/web-operation.model';
import { GraphQLModule } from '@nestjs/graphql';
import { join } from 'path';
import { GraphQLJSONObject } from 'graphql-scalars';
import { MercuriusDriver, MercuriusDriverConfig } from '@nestjs/mercurius';

const envFilePath = ['env/.env'];
if (process.env.NODE_ENV) {
  envFilePath.unshift(`env/.env.${process.env.NODE_ENV}`);
}

@Module({
  imports: [
    ConfigModule.forRoot({
      load: [configuration],
      envFilePath,
    }),
    SequelizeModule.forRoot({
      ...dbCustomerConfig(),
      models: [
        DataLogHisModel,
        DataopOperationModel,
        DataopItemOperationModel,
        DataopOperationModel,
        OrgRoleModel,
        OrganizationModel,
        OrgroleUserModel,
        RoleModel,
        UserModel,
        WebOperationModel,
        WebopOrgroleModel,
      ],
      logging: (...msg) => console.log(msg),
    } as SequelizeModuleOptions),
    // Mercurius 不支持异步
    GraphQLModule.forRoot<MercuriusDriverConfig>({
      driver: MercuriusDriver,
      graphiql: true,
      autoSchemaFile: join(process.cwd(), 'src/schema.gql'),
      sortSchema: true,
      resolvers: { JSONObject: GraphQLJSONObject },
      path: `/gql`, // graphql 路径
      prefix: process.env.PREFIX, // graphiql 前缀
    }),
  ],
  controllers: [AppController],
  providers: [AppService],
})
export class AppModule {}
function dbCustomerConfig(): SequelizeModuleOptions {
  throw new Error('Function not implemented.');
}

  • /src/main.ts

Mercurius 依赖于 Fastify 切换app内核

import { NestFactory } from '@nestjs/core';
import { AppModule } from './app.module';
import { ConfigService } from '@nestjs/config';
import { Logger } from '@nestjs/common';
import {
  FastifyAdapter,
  NestFastifyApplication,
} from '@nestjs/platform-fastify';

async function bootstrap() {
  const app = await NestFactory.create<NestFastifyApplication>(
    AppModule,
    new FastifyAdapter(),
  );

  const configService = app.get(ConfigService);
  const PORT = configService.get('PORT');
  const HOST = configService.get('HOST');
  const PREFIX = `/${configService.get('PREFIX')}`;
  const PROJECTNAME = configService.get('PROJECTNAME');
  const logger: Logger = new Logger('main.ts');

  await app.listen(PORT, HOST, () => {
    logger.log(
      `[${PROJECTNAME}]已经启动,接口请访问: 
      http://${HOST}:${PORT}${PREFIX}
      http://${HOST}:${PORT}${PREFIX}/graphiql
      `,
    );
  });
}
bootstrap();

代码生成

# 选择 user 对象 生成
$ yarn code
image.png

基础对象代码

  • /src/utils/common.input
import { Field, InputType, Int } from '@nestjs/graphql';
import { GraphQLJSONObject } from 'graphql-scalars';

/**
 * 查询用参数
 */
@InputType()
export class FindAllInput {
  @Field(() => GraphQLJSONObject, {
    nullable: true,
    description: '过滤条件',
  })
  where?: any;

  @Field(() => [[String]], { nullable: true, description: '排序' })
  orderBy?: Array<Array<string>>;

  @Field(() => Int, { nullable: true })
  limit?: number;

  @Field(() => Int, { nullable: true })
  skip?: number;
}

  • /src/utils/base-service.ts
import { GraphQLJSONObject } from 'graphql-scalars';
import {
  get,
  isArray,
  isFunction,
  isObject,
  mapKeys,
  set,
  startsWith,
  toInteger,
} from 'lodash';
import { Op, WhereOptions } from 'sequelize';
import { JwtAuthEntity } from 'src/auth/jwt-auth-entity';
import { BaseModel } from 'src/model/base.model';
import { FindAllInput } from './common.input';

export type ModelStatic = typeof BaseModel & {
  new (): BaseModel;
};

export type DefaultT = any;

export abstract class IBaseService<T extends BaseModel = DefaultT> {
  abstract get GetModel(): typeof BaseModel;

  /**
   * 获取列表
   * @param param
   * @returns
   */
  public findAll<X = T>(
    param: FindAllInput,
    user?: JwtAuthEntity,
  ): Promise<Array<X>> {
    const sqOptions = {
      where: this.jsonToWhere(param.where),
      limit: param?.limit || toInteger(process.env.SQ_LIMIT || 1000),
      offset: param?.skip,
      order: param?.orderBy || [['id', 'DESC']],
    };

    return this.GetModel.findAll(sqOptions as any) as any;
  }

  /**
   * 获取行数
   * @param param
   * @returns
   */
  public findCount(
    param: typeof GraphQLJSONObject,
    user?: JwtAuthEntity,
  ): Promise<number> {
    return this.GetModel.count({
      where: this.jsonToWhere(param),
    });
  }

  /**
   * 根据id获取
   * @param param
   * @returns
   */
  public findByPk<X = T>(param: string, user?: JwtAuthEntity): Promise<X> {
    return this.GetModel.findByPk(param) as any;
  }

  public findOne<X = T>(param: FindAllInput, user?: JwtAuthEntity): Promise<X> {
    const sqOptions = {
      where: this.jsonToWhere(param.where),
      limit: param?.limit || toInteger(process.env.SQ_LIMIT || 1000),
      offset: param?.skip,
      order: param?.orderBy || [['id', 'DESC']],
    };
    return this.GetModel.findOne(sqOptions as any) as any;
  }

  public create<X = T>(
    createInput: X | any,
    user?: JwtAuthEntity,
  ): Promise<X | any> {
    createInput.createdId = user?.userId;
    return this.GetModel.create(createInput as any) as any;
  }

  /**
   *
   * @param id
   * @param updateInput
   * @param user
   * @returns
   */
  public async update<X = T>(
    id: string,
    updateInput: X,
    user?: JwtAuthEntity,
  ): Promise<X> {
    return this.GetModel.findByPk(id).then((res) => {
      mapKeys(updateInput as any, (value, key) => res.set(key, value));
      res.updatedId = user?.userId;
      return res.save();
    }) as any;
  }

  /**
   * 对象映射
   * @param model
   * @param input
   * @returns
   */
  public mapperModel<X = T>(model: X, input: any) {
    mapKeys(input, (value, key) => {
      const setFun = get(model, 'set');
      if (setFun && isFunction(setFun)) {
        (model as BaseModel).set(key, value);
      } else {
        set(model as any, key, value);
      }
    });
    return model;
  }

  /**
   * 逻辑删除
   * @param id
   * @returns
   */
  public async remove(id: string, user?: JwtAuthEntity): Promise<string> {
    return this.GetModel.findByPk(id)
      .then((res) => {
        res.deletedId = user?.userId;
        return res.destroy();
      })
      .then(() => {
        return id;
      })
      .catch((error) => {
        throw error;
      });
  }

  /**
   * 删除
   * @param id
   * @param user
   * @returns
   */
  public async distory(id: string, user?: JwtAuthEntity): Promise<string> {
    return this.GetModel.findByPk(id)
      .then((res) => {
        res.deletedId = user?.userId;
        return res.destroy();
      })
      .then(() => {
        return id;
      })
      .catch((error) => {
        throw error;
      });
  }

  /**
   * json 查询参数 转换为 sequelize where条件
   * @param param
   * @returns
   */
  public jsonToWhere(param: any): WhereOptions {
    if (!param || !isObject(param)) {
      return param;
    }
    return this.setOp(param);
  }

  /**
   * 属性迭代 自循环
   * @param param
   * @returns
   */
  private setOp(param: any) {
    const res = isArray(param) ? [] : {};
    for (const k of Reflect.ownKeys(param)) {
      const v = param[k];
      if (typeof k === 'string') {
        res[startsWith(k, '_') ? Op[k.substring(1, k.length)] : k] =
          isObject(v) && !(v instanceof Date) ? this.setOp(v) : v;
      } else {
        res[k] = isObject(v) && !(v instanceof Date) ? this.setOp(v) : v;
      }
    }
    return res;
  }
}

utils辅助

  • /src/utils/base-entity.ts
import { Field, GraphQLISODateTime, ObjectType } from '@nestjs/graphql';

@ObjectType()
export class BaseEntity {
  @Field(() => String, { description: 'id', nullable: true })
  id: string;

  @Field(() => GraphQLISODateTime, { description: '创建时间', nullable: true })
  createdAt: Date;

  @Field(() => GraphQLISODateTime, { description: '修改时间', nullable: true })
  updatedAt: Date;

  @Field(() => GraphQLISODateTime, { description: '删除时间', nullable: true })
  deletedAt: Date;

  @Field(() => String, { description: '创建人id', nullable: true })
  createdId: string;

  @Field(() => String, { description: '修改人id', nullable: true })
  updatedId: string;

  @Field(() => String, { description: '删除人id', nullable: true })
  deletedId: string;

  @Field(() => String, { description: '错误信息', nullable: true })
  errorMessage?: string;
}

缺少的auth 相关处理 请参见下一章

nest.js 集成 auth 鉴权

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 206,214评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,307评论 2 382
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 152,543评论 0 341
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,221评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,224评论 5 371
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,007评论 1 284
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,313评论 3 399
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,956评论 0 259
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,441评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,925评论 2 323
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,018评论 1 333
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,685评论 4 322
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,234评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,240评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,464评论 1 261
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,467评论 2 352
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,762评论 2 345

推荐阅读更多精彩内容