How to wait for an asynchronous setup in a unit test, in Dart?

前端 未结 2 860
不思量自难忘°
不思量自难忘° 2021-02-14 19:56

My unit tests require a setup that needs to run asynchronously. That is, I need to wait for the setup to finish before the tests are run, but the setup deals with Futures.

相关标签:
2条回答
  • 2021-02-14 20:39

    With Dart M3, the setUp function can optionally return a Future. If setUp returns a Future, the unittest framework will wait for the Future to complete before running the individual test methods.

    Here is an example:

    group(('database') {
      var db = createDb();
      setUp(() {
        return openDatabase()
          .then((db) => populateForTests(db));
      });
    
      test('read', () {
        Future future = db.read('foo');
        future.then((value) {
          expect(value, 'bar');
        });
        expect(future, completes);
      });
    });
    

    Learn more about setUp.

    0 讨论(0)
  • 2021-02-14 20:42

    While the accepted answer by Seth is correct, the following example may be easier to understand and reuse. It returns a Future and performs the setup in the Future's async worker function:

    setUp(() {
      return Future(() async {
        await someFuture();
        callSomeFunction();
        await anotherFuture();
      });
    });
    

    The test cases will be called after the last call to anotherFuture() returns.

    0 讨论(0)
提交回复
热议问题