3

我编写了一个异步 JavaScript 函数,但似乎没有得到我期望的返回值。如果我误解了异步函数的工作原理,或者我的测试不太正确,有人可以解释一下吗?

下面是我的测试,使用 Nock 模拟了一个服务。

it('Should call async validation function when button is clicked', () => {
    const request = nock(/.*/)
      .get('/my-service/logincodes/abc123')
      .reply(404);

    const comp = mount(
      <LoginCodeView />
    );
    expect(comp.instance().doesLoginCodeExist('abc123')).to.equal('Your Login code is not recognized.');
 });

以及被测功能:

  doesLoginCodeExist = async (loginCode) => {
    if (loginCode.match(loginPattern)) {
      const response = await MyService.getUserByLoginCode(loginCode);

      if (response.code) {
        return {};
      } else if (response.status === 404) {
        return { error: 'Your login code is not recognized.', success: null };
      }
      return { error: 'Service is temporarily unavailable.', success: null };
    }
    return null;
  };

我已经注销了代码采用的路径,并且它似乎确实按预期进入了 else if 分支,但是我总是得到一个空对象 {} 返回,而不是像预期的那样具有错误和成功属性的对象?

4

2 回答 2

2

async函数总是返回一个对象Promise。我怀疑这就是你所说的空对象。

作为一种解决方案,您可以尝试制作您的测试功能asyncawait在那里使用。然后你可以测试 promise 解析的值。

于 2017-10-15T20:12:10.240 回答
2

让我的测试异步等待解决了这个问题。

it('Should call async validation function when button is clicked', async () => {
    const request = nock(/.*/)
      .get('/my-service/logincodes/abc123')
      .reply(404);

    const comp = mount(
      <LoginCodeView />
    );
    const returned = await comp.instance().doesLoginCodeExist('abc123')
    expect(returned.error).to.equal('Your Login code is not recognized.');
 });
于 2017-10-15T20:14:10.657 回答