首页 > 解决方案 > GraphQL 端点在 Nest.js 中返回空对象

问题描述

我正在使用 Nest.js 和 Sequelize-Typescript 构建 GraphQL API。

当我调用删除和更新突变时,我得到了一个空对象,但操作完成了。我需要输入 {nullable: true} 因为我得到一个错误说Cannot return null for non-nullable field。我该如何解决?我需要端点返回更新的对象以在前面显示信息

错误图片

书本.dto.ts

import { ObjectType, Field, Int, ID } from 'type-graphql';

@ObjectType()
export class BookType {
    @Field(() => ID, {nullable: true})
    readonly id: number;
    @Field({nullable: true})
    readonly title: string;
    @Field({nullable: true})
    readonly author: string;
}

book.resolver.ts

import {Args, Mutation, Query, Resolver} from '@nestjs/graphql';
import { Book } from './model/book.entity';
import { BookType } from './dto/book.dto';
import { CreateBookInput } from './input/createBook.input';
import { UpdateBookInput } from './input/updateBook.input';
import { BookService } from './book.service';

@Resolver('Book')
export class BookResolver {
    constructor(private readonly bookService: BookService) {}

    @Query(() => [BookType])
    async getAll(): Promise<BookType[]> {
        return await this.bookService.findAll();
    }

    @Query(() => BookType)
    async getOne(@Args('id') id: number) {
        return await this.bookService.find(id);
    }

    @Mutation(() => BookType)
    async createItem(@Args('input') input: CreateBookInput): Promise<Book> {
        const book = new Book();
        book.author = input.author;
        book.title = input.title;
        return await this.bookService.create(book);
    }

    @Mutation(() => BookType)
    async updateItem(
        @Args('input') input: UpdateBookInput): Promise<[number, Book[]]> {
        return await this.bookService.update(input);
    }

    @Mutation(() => BookType)
    async deleteItem(@Args('id') id: number) {
        return await this.bookService.delete(id);
    }

    @Query(() => String)
    async hello() {
        return 'hello';
    }
}

book.service.ts

import {Inject, Injectable} from '@nestjs/common';
import {InjectRepository} from '@nestjs/typeorm';
import {Book} from './model/book.entity';
import {DeleteResult, InsertResult, Repository, UpdateResult} from 'typeorm';

@Injectable()
export class BookService {
    constructor(@Inject('BOOKS_REPOSITORY') private readonly bookRepository: typeof Book) {}

    findAll(): Promise<Book[]> {
        return this.bookRepository.findAll<Book>();
    }

    find(id): Promise<Book> {
       return this.bookRepository.findOne({where: {id}});
    }

    create(data): Promise<Book> {
        return data.save();
    }

    update(data): Promise<[number, Book[]]> {
        return this.bookRepository.update<Book>(data, { where: {id: data.id} });
    }

    delete(id): Promise<number> {
        return this.bookRepository.destroy({where: {id}});
    }
}

标签: graphqlnestjssequelize-typescript

解决方案


您可以在解析器查询中修复它设置选项参数

@Query(() => BookType, { nullable: true })

推荐阅读