Nest.js 与 GraphQL 在项目中的实际应用

前言

最近项目中在作一个 BFF, nest.jsGraphQL 这两个技术栈 是一个"新"的尝试, 虽然 GraphQL15 年 就出来了, 可是在与 nest.js 结合, 得益于做者良好的封装, 发生了奇妙的化学反应前端

固然这不是一篇 粘贴官方文档 而后教你如何使用的 水文, 而是采坑心得的 水文node

巨人的肩膀

  • type-graphqltypescript 的定义转成 graphqlschema
  • @nestjs/graphql 是 做者 在 apollo-server 的基础上进行了2 次封装
  • data-loader 数据的聚合与缓存 解决 resolver (n+1) 的问题

应用入口

在这里咱们以一个 UserModule 为例git

能够经过github

query UserList() {
  users {
    id
    name
  }
}
复制代码

获得sql

{
  data: {
    users: [{
      id: "1",
      name: '名字'
    }]
  }
}
复制代码
import { Module } from '@nestjs/common'
import { GraphQLModule } from '@nestjs/graphql'
import { UserModule } from './user.module'

@Module({
  imports: [
    GraphQLModule.forRoot({
      path: '/graphql',
      typePaths: ['./**/*.graphql'],
      definitions: {
        path: join(process.cwd(), 'src/graphql.ts'),
        outputAs: 'class',
      },
    }),
    UserModule,
  ]
})
export class AppModule 复制代码

在这里 每次 启动应用的时候 会遍历全部的 graphql schema 文件 生成 graphql.tsdocker

例如typescript

type User {
  id: ID!
  name: String
}
复制代码

会生成express

export class User {
  id: string
  name?: string
}
复制代码

而后咱们写 resolverservice 的时候 就能够用 graphql.ts 生成好的类型定义, 可是这种方式有一点不方便, 有点不符合编程习惯编程

若是想要先写 typescript 的定义, 生成 graphqlschema 文件, 那么就要用到 type-graphqlbootstrap

import { Module } from '@nestjs/common'
import { GraphQLModule } from '@nestjs/graphql'
import { UserModule } from './user.module'
import { resolve } from 'path'

const schema = resolve(__dirname, 'schema.gql')

@Module({
  imports: [
    GraphQLModule.forRoot({
      path: '/graphql',
      autoSchemaFile: schema,
      typePaths: [schema],
    }),
    UserModule,
  ]
})
export class AppModule 复制代码

最后 只须要写对应的 model 便可

import { Field, ID } from 'type-graphql'

export class User {
  @Field(() => ID, { nullable: false })
  id: string

  @Field({ nullable: false })
  name?: string
}
复制代码

这里能够理解 是对 graphql schema 的一个隐射 , @Field 装饰器映射的是 schema 里面 id 的类型

Class User 的 id 描述的 ts 的类型

值得注意的是 string | boolean 等 基础 类型 @Field 能够省略, 可是 number 默认会转成 float, 因此须要显示声明,这点比较坑

另一点是若是是枚举,须要使用 registerEnumType 注册一次

import { registerEnumType } from 'type-graphql'

export enum Enum {
  a,
  b
}

registerEnumType(Enum, {
  name: 'RolesEnum'
})

// 使用
export class User {

  @Field(() => Enum, { nullable: false })
  name?: Enum
}
复制代码

Resolver

nest.js 里 一个 Graphql 模块 由 resolverservice 组成

import { Module } from '@nestjs/common'
import { UserResolver } from './user.resolver'
import { UserService } from './user.service'

@Module({
  providers: [
    UserResolver,
    UserService,
  ]
})
export class UserModule {}
复制代码
import { Args, Resolver, Query } from '@nestjs/graphql'
import { UserService } from './user.service'

@Resolver()
export class UserResolver {
  constructor(private readonly userService: UserService)

  @Query(() => User[], {
    name: 'users'
  })
  public async users(): Promise<User[]> {
    this.userService.xxxxx()
  }
}
复制代码

每一个 @Query 装饰器 对应一个 方法 默认会将函数的名字 当成 query 的名字 , 使用 name 能够显示的指定,

这样当发起一个 Query 时, 对应的 Resolver 会调用对应的 service 处理逻辑, 便可

query users {
  id
  name
}
复制代码

若是想查询第三个字段 age 可是 age 又不在 User 的数据里, 好比要调另一个接口查询, 这时候 能够 用到 @ResolveProperty

import { Args, Resolver, ResolveProperty } from '@nestjs/graphql'

...

@Resolver()
export class UserResolver {
  constructor(private readonly userService: UserService)

  @ResolveProperty(() => number)
  public async age(): Promise<number> {
    this.userService.getAge()
  }
}
复制代码

可是别忘了 在 model 里面加上 age 字段

import { Field, ID } from 'type-graphql'

export class User {
  @Field(() => ID, { nullable: false })
  id: string

  @Field({ nullable: false })
  name?: string

  @Field(()=> Number, { nullable: false })
  age?: number
}
复制代码

这样查询的时候 Resolver 会帮你合并在一块儿

query users {
    id
    name
    age
  }
复制代码
{
   id: '1',
   name: 'xx',
   age: 18
 }
复制代码

DateLoader

因为 ResolverN+1 查询问题

像上面 this.userService.getAge(), 会执行屡次, 若是是 执行一些 sql 可能会有性能问题,和资源浪费, 可是问题不大,

咱们用 dataloader 来解决这个问题

import DataLoader from 'dataloader'

@Injectable()
export class UserService {
  loader = new DataLoader(()=>{
    return 一些查询操做
  })
  getAge() {
    this.loader.load()

    // 查询多个 this.loader.loadMany()
  }
}
复制代码

原理大概就是 把当前 event loop 的 请求 放在 process.nextTick 去执行

Docker 部署

因为 docker 里面没有写入文件的权限, 这样会带来一个问题, 因为启动应用的时候

...

RUN node dist/index.js 复制代码

会自动生成 schema 文件, 也就是 fs.writeFile 这样会致使 docker 启动不了, 因此须要小小修改下 GraphqlModule 的配置

  • 方法 1 :
import { Module } from '@nestjs/common'
import { GraphQLModule } from '@nestjs/graphql'
import { UserModule } from './user.module'

const schema = resolve(__dirname, 'schema.gql')

@Module({
  imports: [
    GraphQLModule.forRoot({
      path: '/graphql',
      autoSchemaFile: process.env.NODE_ENV === 'development' ? schema : false,
      typePaths: [schema],
    }),
    UserModule,
  ]
})
export class AppModule
复制代码

development的时候 会生成 schema.gql, 在 production 环境下 关闭自动生成

同时指定 typePathsschema.gql 这样既可解决

  • 方法 2 :
...

COPY schema.gql /dist RUN node dist/index.js 复制代码

首先 使用 type-graphql 提供的 buildSchema 事实上 nest.jsGraphqlModule 也是使用的这个方法帮你自动生成的

import { buildSchema } from "type-graphql";

async function bootstrap() {
  const schema = await buildSchema({
    resolvers: [__dirname + "/**/*.resolver.ts"],
  });

  // other initialization code, like creating http server
}

bootstrap();

复制代码

在每次 构建镜像的时候 将这个文件 copy 进去既可

权限验证

express 中 能够经过 中间键 拦截 request 来作权限验证, 在 nest.js 中 能够很方便的 使用 Guards 实现

import { Args, Resolver, ResolveProperty } from '@nestjs/graphql'
import { AuthGuard } from './auth.guard'

...

@Resolver()
@UseGuards(AuthGuard)
export class UserResolver {
  constructor(private readonly userService: UserService)

  @ResolveProperty(() => number)
  public async age(): Promise<number> {
    this.userService.getAge()
  }
}
复制代码

因为 Graphql 有一个 context 的概念 能够经过 context 拿到 当前的 request

// auth.guard.ts
import { Injectable, CanActivate, ExecutionContext } from '@nestjs/common'
import { GqlExecutionContext } from '@nestjs/graphql'

@Injectable()
export class AuthGuard implements CanActivate {
  canActivate(context: ExecutionContext) {
    const ctx = GqlExecutionContext.create(context).getContext()
    const request = context.switchToHttp().getRequest()

    // 作一些权限验证
    // jwt 验证
    // request.headers.authorization
  }
}
复制代码

转换 error response

因为使用的事 apollo-server, 在每次 QueryMutation 报错时, 发送到前端的 错误 层级会很深,

若是想自定义可使用 formatErrorformatResponse, 但因为 这两个字段 nest.js 并无提供 相应详细的定义

可能要去看下 apollo-server 的文档才行, 尽管 TMD 文档只有几行

import { Module } from '@nestjs/common'
import { GraphQLModule } from '@nestjs/graphql'
import { UserModule } from './user.module'

const schema = resolve(__dirname, 'schema.gql')

@Module({
  imports: [
    GraphQLModule.forRoot({
      path: '/graphql',
      autoSchemaFile: process.env.NODE_ENV === 'development' ? schema : false,
      typePaths: [schema],
      context(ctx) {
        // 在 context 里面 添加一些 东西 ctx.req
        ctx.xx  = 1
        return ctx
      }
      formatError(error) {
        return error
      },
      formatResponse(response, {context}){
        // 这里进行重写
        // data, errors 是 graphql 的规范 没法覆盖

        return {
          errors: {}
        }

        // ❌ 这样是不行的
        return {
          name: 1,
          age: 18
        }

        // ✅
        return {
          data: {
            name: 1,
            age: 18
          }
        }
      }
    }),
    UserModule,
  ]
})
export class AppModule
复制代码

测试

你可能想写一点 单元测试 或者 e2e测试 , 文档都有, 这里就不当搬运工了

最后

固然, 踩坑的心酸 远不止 这一点点文字, 这一次也是收获颇多, 继续加油

相关文章
相关标签/搜索