Nock不能同时运行多个测试

时间:2017-10-18 00:14:45

标签: node.js nock

我正在使用nock库来存储我的http调用。 不同的测试文件require('nock')并进行他们的存根。 如果每个测试分别运行,则全部通过。 但是如果所有测试一起运行,后来的测试会失败因为而不是nock,实际的请求是

  

例如,请考虑下面的代码段。它有两个不同的describe块,每个块都有多个测试用例。如果我运行此文件node node_modules/mocha/bin/_mocha test.js,那么前两个测试将通过,但第三个测试(在不同的describe块中)将失败,因为它实际上会调用google URL。

/* eslint-env mocha */

let expect = require('chai').expect
let nock = require('nock')
let request = require('request')

let url = 'http://localhost:7295'

describe('Test A', function () {
  after(function () {
    nock.restore()
    nock.cleanAll()
  })

  it('test 1', function (done) {
    nock(url)
      .post('/path1')
      .reply(200, 'input_stream1')

    request.post(url + '/path1', function (error, response, body) {
      expect(body).to.equal('input_stream1')
      done()
    })
  })

  it('test 2', function (done) {
    nock(url)
      .post('/path2')
      .reply(200, 'input_stream2')

    request.post(url + '/path2', function (error, response, body) {
      expect(body).to.equal('input_stream2')
      done()
    })
  })
})

// TESTS IN THIS BLOCK WOULD FAIL!!!
describe('Test B', function () {
  after(function () {
    nock.restore()
    nock.cleanAll()
  })

  it('test 3', function (done) {
    nock('http://google.com')
      .post('/path3')
      .reply(200, 'input_stream3')

    request.post('http://google.com' + '/path3', function (error, response, body) {
      expect(body).to.equal('input_stream3')
      done()
    })
  })
})

有趣的是,如果我console.log(nock.activeMocks()),那么我可以看到nock确实注册了要模拟的URL。

[ 'POST http://google.com:80/path3' ]

1 个答案:

答案 0 :(得分:1)

正如本Github Issue中所讨论的,nock.restore()删除了http拦截器本身。在致电nock.isActive()后运行nock.restore()时,它将返回false。因此,您需要在再次使用之前运行nock.activate()

解决方案1:

删除nock.restore()

解决方案2:

在测试中使用此before()方法。

  before(function (done) {
    if (!nock.isActive()) nock.activate()
    done()
  })