开玩笑-将测试分为另一个文件

时间:2019-12-29 15:32:05

标签: javascript node.js jestjs

是否可以将jest的测试功能分离到另一个文件中,或者它们必须在执行文件中?

例如:

test_file.js

function tests (input)
{
    it(
        "should pass",
        function ()
        {
            expect(input).toBeTrue()
        }
    )
    // more test functions
}
module.exports = tests

main.js

const tests = require("./test_file.js")

describe(
    "test block 1",
    function ()
    {
        let input

        beforeAll( () => input = true )

        tests(input)
    }
)

现在,input始终未定义

1 个答案:

答案 0 :(得分:1)

让我们添加一些日志,并查看该代码的执行顺序。

main.test.js

const tests = require('./test_file.js');
console.log('000');
describe('test block 1', function() {
  let input;
  console.log('111');
  beforeAll(() => {
    console.log('222');
    input = true;
  });
  tests(input);
});

test_file.js

console.log('333');
function tests(input) {
  console.log('444');
  it('should pass', function() {
    console.log('555');
    expect(input).toBeTruthy();
  });
}
module.exports = tests;

测试结果:

 FAIL  src/stackoverflow/59520741/main.test.js (9.747s)
  test block 1
    ✕ should pass (7ms)

  ● test block 1 › should pass

    expect(received).toBeTruthy()

    Received: undefined

      4 |   it('should pass', function() {
      5 |     console.log('555');
    > 6 |     expect(input).toBeTruthy();
        |                   ^
      7 |   });
      8 | }
      9 | module.exports = tests;

      at Object.<anonymous> (src/stackoverflow/59520741/test_file.js:6:19)

  console.log src/stackoverflow/59520741/test_file.js:1
    333

  console.log src/stackoverflow/59520741/main.test.js:2
    000

  console.log src/stackoverflow/59520741/main.test.js:5
    111

  console.log src/stackoverflow/59520741/test_file.js:3
    444

  console.log src/stackoverflow/59520741/main.test.js:7
    222

  console.log src/stackoverflow/59520741/test_file.js:5
    555

Test Suites: 1 failed, 1 total
Tests:       1 failed, 1 total
Snapshots:   0 total
Time:        11.015s

现在,我们知道了。 tests函数将在jest的测试运行者收集测试用例之前执行。这意味着您的tests函数仅声明了测试用例(“ 111”和“ 444”短语)。目前,beforeAll挂钩尚未执行。 input变量的值仍为undefined,并传递给tests函数。

执行tests函数后,将声明测试用例。测试运行人员将收集这些测试用例并以正常方式运行它们。 beforeAll挂钩将首先执行(“ 222”短语)。