8

我有一个AProvider需要'./b.provider'.

const BProvider = require('./b.provider');

class AProvider {
  static get defaultPath() {
    return `defaults/a/${BProvider.getThing()}`;
  }
}

module.exports = AProvider;

b.provider.js相邻a.provider.js并且看起来像

global.stuff.whatever = require('../models').get('Whatever'); // I didn't write this!

class BProvider {
  static getThing() {
    return 'some-computed-thing';
  }
}
module.exports = BProvider;

在我的测试中,我proxyquire用来模拟./b.provider如下:

import { expect } from 'chai';
import proxyquire from 'proxyquire';

describe('A Provider', () => {
  const Provider = proxyquire('../src/a.provider', {
    './b.provider': {
      getThing: () => 'b-thing'
    },
  });

  describe('defaultPath', () => {
    it('has the expected value', () => {
      expect(Provider.defaultPath).to.equal('defaults/a/b-thing')
    });
  });
});

但是,当我运行测试时BProvider,仍然需要实际的'./b.provider'不是存根,并且 BProvider 的引用会global.stuff.whatever引发错误。

为什么这不起作用?

4

1 回答 1

8

关于为什么会发生这种情况的答案如下

proxyquire在存根之前仍然需要底层代码。它这样做是为了启用调用。

解决方案只是明确禁止调用。

测试变为:

import { expect } from 'chai';
import proxyquire from 'proxyquire';

describe('A Provider', () => {
  const Provider = proxyquire('../src/a.provider', {
    './b.provider': {
      getThing: () => 'b-thing',
      '@noCallThru': true
    },
  });

  describe('defaultPath', () => {
    it('has the expected value', () => {
      expect(Provider.defaultPath).to.equal('defaults/a/b-thing')
    });
  });
});

运行此测试非常有效。

于 2017-03-02T12:29:23.583 回答