在MochaChaiSinon中插接DB连接线

问题描述 投票:0回答:1

在我的代码中,有以下一行是有问题的

TestController.ts

static async getTest(req:any, res:any, next:object) {
    console.log("BEGIN -- TestController.getTest");

    let testid = req.params.testid;
    let query = `SELECT * FROM TEST WHERE TEST_ID = :1`;
    let binds: string[] = [testid];

    let result = await ConnectionDB.executeSimpleQuery(query, binds);
}

我现在在Test.ts中运行了一个测试,在这里我做了以下工作

测试.ts

it('Get Order method', function () {
    let req = {params: {testid: 12345}};
    let res = {
      status: '200'
    };

    //const dbConn = sinon.stub(xxxx, "xxxxxx").returns(true);

    TestController.getTest(req, res, Object);
});

我总是在ConnectionDB.executeSimpleQuery(query, binds)这一行中得到一个错误;所以我想把这一行去掉,然后返回一个json响应的样本,我不知道如何用Sinon来做这件事。

node.js mocha chai sinon sinon-chai
1个回答
1
投票

你可以使用 sinon.stub() 做存根 ConnectionDB.executeSimpleQuery 方法。

例如:

controller.ts:

import { ConnectionDB } from './db';

export class Controller {
  static async getTest(req: any, res: any, next: object) {
    console.log('BEGIN -- TestController.getTest');

    let testid = req.params.testid;
    let query = `SELECT * FROM TEST WHERE TEST_ID = :1`;
    let binds: string[] = [testid];

    let result = await ConnectionDB.executeSimpleQuery(query, binds);
    console.log(result);
  }
}

db.ts:

export class ConnectionDB {
  static async executeSimpleQuery(query, bindings) {
    return { message: 'real' };
  }
}

controller.test.ts:

import { ConnectionDB } from './db';
import { Controller } from './controller';
import sinon from 'sinon';

describe('61617621', () => {
  it('should pass', async () => {
    const logSpy = sinon.spy(console, 'log');
    const json = { message: 'fake' };
    const executeSimpleQueryStub = sinon.stub(ConnectionDB, 'executeSimpleQuery').resolves(json);
    const mReq = { params: { testid: 1 } };
    const mRes = {};
    const mNext = {};
    await Controller.getTest(mReq, mRes, mNext);
    sinon.assert.calledWithExactly(executeSimpleQueryStub, 'SELECT * FROM TEST WHERE TEST_ID = :1', [1]);
    sinon.assert.calledWithExactly(logSpy, { message: 'fake' });
  });
});

单元测试结果与覆盖率报告。

  61617621
BEGIN -- TestController.getTest
{ message: 'fake' }
    ✓ should pass


  1 passing (18ms)

---------------|---------|----------|---------|---------|-------------------
File           | % Stmts | % Branch | % Funcs | % Lines | Uncovered Line #s 
---------------|---------|----------|---------|---------|-------------------
All files      |      90 |      100 |      50 |      90 |                   
 controller.ts |     100 |      100 |     100 |     100 |                   
 db.ts         |      50 |      100 |       0 |      50 | 3                 
---------------|---------|----------|---------|---------|-------------------
© www.soinside.com 2019 - 2024. All rights reserved.