1

我试图弄清楚为什么我的单元测试无法正常工作。尽管我使用 Nock 拦截我的 http 请求,但似乎还是发出了外部网络请求。

我有一个非常基本的getUser服务,getuser-got.js:

    const got = require('got');
    
    module.exports = {
      getUser(user) {
        return got(`https://api.github.com/users/${user}`)
        .then(response=>JSON.parse(response.body))
        .catch(error => console.log(error.response.body))
      }
    };

这可以成功调用,但我想要一个单元测试。

这是我在一个名为的文件中的代码getuser-got.test.js

    const getUser = require('../getuser-got').getUser;
    
    const expect = require('chai').expect;
    const nock = require('nock');
    
    const user_response = require('./response');
    
    describe('GetUser-Got', () => {
      beforeEach(() => {
        nock('https//api.github.com')
        .get('/users/octocat')
        .reply(200, user_response);
      });
      it('Get a user by username', () => {
        return getUser('octocat')
          .then(user_response => {
            // expect an object back
            expect(typeof user_response).to.equal('object');
            // test result of name and location for the response
            expect(user_response.name).to.equal('The Octocat')
            expect(user_response.location).to.equal('San Francisco')
          })
      });
    });

名为的文件response包含来自 Github API 的预期响应的副本,我将其加载到user_response变量中。name我已经替换了和的值,location以使我的测试失败。

    module.exports = {
        login: 'octocat',
    ...
        name: 'The FooBar',
        company: '@github',
        blog: 'https://github.blog',
        location: 'Ssjcbsjdhv',
    ...
    }

问题是我可以看到 Nock 没有拦截我的请求。当我运行测试时,它会继续对外部 API 进行实际调用。因此测试通过了,因为它没有使用我的本地response作为返回值。

我已经尝试添加,nock.disableNetConnect();但这只会导致测试超时,因为它显然仍在尝试进行外部调用。如果我运行测试,我会得到:

➜  nock-tests npm test

> nock-tests@1.0.0 test /Users/corin/Projects/nock-tests
> mocha "test/test-getuser-got.js"



  GetUser-Got
    ✓ Get a user by username (290ms)


  1 passing (296ms)

我做错了什么没有让 Nock 拦截我的 http 请求?

4

1 回答 1

1

传递给nock函数的值不是有效的 URL,它在架构中缺少冒号。

根据需要更新它以nock('https://api.github.com')使测试在本地失败。

于 2020-11-12T14:56:23.957 回答