0

我正在尝试使用 mocha 对非导出函数运行单元测试,但它给出了错误“xx 不是函数”。示例结构类似于 ff 代码,我想在其中测试函数 isParamValid。settings.js 中的代码格式已经存在于我们的系统中,所以我无法对其进行重构。

// settings.js
const settings = (() => {
  const isParamValid = (a, b) => {
    // process here
  }

  const getSettings = (paramA, paramB) => {
    isParamValid(paramA, paramB);
  }
  
  return {
    getSettings,
  }
})();

module.exports = settings;

我已经尝试了 ff 代码来测试它,但是 mocha 给出了错误 ReferenceError: isParamValid is not defined

// settings.test.js
const settings= rewire('./settings.js');
describe('isParamValid', () => {
    it('should validate param', () => {
      let demo = settings.__get__('isParamValid');

      expect(demo(0, 1)).to.equal(true);
      expect(demo(1, 0)).to.equal(true);
      expect(demo(1, 1)).to.equal(false);
    })
  })
4

1 回答 1

0

你不能直接访问isParamValid这里。尝试通过集成测试它,如下所示

const settings = require('./settings.js'); // No need of rewire

describe('isParamValid', () => {
    it('should validate param', () => {
      const demo = settings.getSettings; // Read it from getSettings

      expect(demo(0, 1)).to.equal(true);
      expect(demo(1, 0)).to.equal(true);
      expect(demo(1, 1)).to.equal(false);
    })
})
于 2020-08-09T10:19:57.323 回答