如何使用 jest 在课堂上测试功能

虚拟忍者

我无法使用 jest 进行单元测试

我正在尝试测试正在调用或期望来自其他函数的结果的特定函数,但我不确定为什么它不起作用。我对单元测试很陌生,真的不知道如何让它工作。目前这是我试过的

export class OrganizationService {

    constructor() {
        this.OrganizationRepo = new OrganizationRepository()
    }

    async getOrganizations(req) {
        if (req.permission !== 'internal' && req.isAuthInternal === false) {
            throw new Error('Unauthenticated')
        }
        const opt = { deleted: true }
        return this.OrganizationRepo.listAll(opt)
    }

}

这是我的 OrganizationRepository 扩展了 MongoDbRepo

import { MongoDbRepo } from './mongodb_repository'

export class OrganizationRepository extends MongoDbRepo {

    constructor(collection = 'organizations') {
        super(collection)
    }

}

这是 MongoDbRepo

const mongoClient = require('../config/mongo_db_connection')
const mongoDb = require('mongodb')

export class MongoDbRepo {

    constructor(collectionName) {
        this.collection = mongoClient.get().collection(collectionName)
    }

    listAll(opt) {

        return new Promise((resolve, reject) => {
            this.collection.find(opt).toArray((err, data) => {
                if (err) {
                    reject(err)
                }
                resolve(data)
            })
        })
    }
}

这是我所做的测试

import { OrganizationService } from '../../../src/services/organization_service'

describe('getOrganizations', () => {
    it('should return the list of organizations', () => {
        // const OrgRepo = new OrganizationRepository()
        const orgService = new OrganizationService()

        const OrgRepo = jest.fn().mockReturnValue("[{_id: '123', name: 'testname'}, {_id: '456, name: 'testname2'}]")
        // orgService.getOrganizations = jest.fn().mockReturnValue('')
        const result = orgService.getOrganizations()

        expect(result).toBe(OrgRepo)
    })
})
雷迪

我看到您测试的方式存在两个问题:

1.

您正在尝试测试一个异步方法,并且在您的测试中,您不是在您的expect语句之前等待此方法完成

一个好的测试结构应该是:

it('should test your method', (done) => {
    const orgService = new OrganizationService();

    const OrgRepo = jest.fn().mockReturnValue("[{_id: '123', name: 'testname'}, {_id: '456, name: 'testname2'}]")
    orgService.getOrganizations()
    .then((result) => {
        expect(result).toEqual(OrgRepo); // I recommend using "toEqual" when comparing arrays
        done();
    });
})

不要忘记将其done作为测试的参数!

您可以在Jest 官方文档 中找到有关测试异步函数的更多信息

2.

为了正确测试您的方法,您希望其与外部依赖项隔离在这里,OrganizationRepo.listAll()调用了实际的方法您想模拟此方法,例如使用间谍,以便您控制其结果并仅测试该getOrganizations方法。那看起来像这样:

it('should test your method', (done) => {
    const req = {
      // Whatever structure it needs to be sure that the error in your method is not thrown
    };
    const orgService = new OrganizationService();
    const orgRepoMock = spyOn(orgService['OrganizationRepo'], 'listAll')
    .and.returnValue(Promise.resolve("[{_id: '123', name: 'testname'}, {_id: '456, name: 'testname2'}]"));

    const OrgRepo = jest.fn().mockReturnValue("[{_id: '123', name: 'testname'}, {_id: '456, name: 'testname2'}]");
    orgService.getOrganizations(req)
    .then((result) => {
        expect(result).toEqual(OrgRepo); // I recommend using "toEqual" when comparing arrays
        expect(orgRepoMock).toHaveBeenCalled(); // For good measure
        done();
    });
})

这样,我们确保您的方法是孤立的,其结果不会被外部方法改变。

对于这个特定的方法,我还建议您根据方法的输入测试错误抛出。

本文收集自互联网,转载请注明来源。

如有侵权,请联系 [email protected] 删除。

编辑于
0

我来说两句

0 条评论
登录 后参与评论

相关文章