testbed.dart 5.85 KB
Newer Older
Ian Hickson's avatar
Ian Hickson committed
1
// Copyright 2014 The Flutter Authors. All rights reserved.
2 3 4 5
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.

import 'dart:async';
6
import 'dart:io';
7 8 9 10 11

import 'package:file/memory.dart';
import 'package:flutter_tools/src/base/context.dart';
import 'package:flutter_tools/src/base/file_system.dart';
import 'package:flutter_tools/src/base/logger.dart';
12
import 'package:flutter_tools/src/base/os.dart';
Dan Field's avatar
Dan Field committed
13
import 'package:flutter_tools/src/base/process.dart';
14
import 'package:flutter_tools/src/base/signals.dart';
15
import 'package:flutter_tools/src/base/terminal.dart';
16 17
import 'package:flutter_tools/src/cache.dart';
import 'package:flutter_tools/src/context_runner.dart';
18
import 'package:flutter_tools/src/dart/pub.dart';
19
import 'package:flutter_tools/src/globals.dart' as globals;
20
import 'package:flutter_tools/src/reporting/reporting.dart';
21
import 'package:flutter_tools/src/version.dart';
22

23
import 'context.dart';
24
import 'fake_http_client.dart';
25
import 'fakes.dart';
26
import 'throwing_pub.dart';
27

28 29
export 'package:flutter_tools/src/base/context.dart' show Generator;

30 31
// A default value should be provided if the vast majority of tests should use
// this provider. For example, [BufferLogger], [MemoryFileSystem].
32
final Map<Type, Generator> _testbedDefaults = <Type, Generator>{
33
  // Keeps tests fast by avoiding the actual file system.
34
  FileSystem: () => MemoryFileSystem(style: globals.platform.isWindows ? FileSystemStyle.windows : FileSystemStyle.posix),
35
  ProcessManager: () => FakeProcessManager.any(),
36
  Logger: () => BufferLogger(
37
    terminal: AnsiTerminal(stdio: globals.stdio, platform: globals.platform), // Danger, using real stdio.
38 39
    outputPreferences: OutputPreferences.test(),
  ), // Allows reading logs and prevents stdout.
40
  OperatingSystemUtils: () => FakeOperatingSystemUtils(),
41
  OutputPreferences: () => OutputPreferences.test(), // configures BufferLogger to avoid color codes.
42
  Usage: () => TestUsage(), // prevent addition of analytics from burdening test mocks
43
  FlutterVersion: () => FakeFlutterVersion(), // prevent requirement to mock git for test runner.
44
  Signals: () => FakeSignals(),  // prevent registering actual signal handlers.
45
  Pub: () => ThrowingPub(), // prevent accidental invocations of pub.
46 47 48 49 50
};

/// Manages interaction with the tool injection and runner system.
///
/// The Testbed automatically injects reasonable defaults through the context
51
/// DI system such as a [BufferLogger] and a [MemoryFileSystem].
52 53 54
///
/// Example:
///
55
/// Testing that a filesystem operation works as expected:
56 57 58 59 60 61 62
///
///     void main() {
///       group('Example', () {
///         Testbed testbed;
///
///         setUp(() {
///           testbed = Testbed(setUp: () {
63
///             globals.fs.file('foo').createSync()
64 65 66
///           });
///         })
///
67
///         test('Can delete a file', () => testbed.run(() {
68 69 70
///           expect(globals.fs.file('foo').existsSync(), true);
///           globals.fs.file('foo').deleteSync();
///           expect(globals.fs.file('foo').existsSync(), false);
71 72 73 74 75 76 77 78 79 80 81
///         }));
///       });
///     }
///
/// For a more detailed example, see the code in test_compiler_test.dart.
class Testbed {
  /// Creates a new [TestBed]
  ///
  /// `overrides` provides more overrides in addition to the test defaults.
  /// `setup` may be provided to apply mocks within the tool managed zone,
  /// including any specified overrides.
82
  Testbed({FutureOr<void> Function()? setup, Map<Type, Generator>? overrides})
83 84
      : _setup = setup,
        _overrides = overrides;
85

86 87
  final FutureOr<void> Function()? _setup;
  final Map<Type, Generator>? _overrides;
88 89

  /// Runs `test` within a tool zone.
90 91 92
  ///
  /// `overrides` may be used to provide new context values for the single test
  /// case or override any context values from the setup.
93
  Future<T?> run<T>(FutureOr<T> Function() test, {Map<Type, Generator>? overrides}) {
94 95 96 97 98 99 100
    final Map<Type, Generator> testOverrides = <Type, Generator>{
      ..._testbedDefaults,
      // Add the initial setUp overrides
      ...?_overrides,
      // Add the test-specific overrides
      ...?overrides,
    };
Dan Field's avatar
Dan Field committed
101 102 103
    if (testOverrides.containsKey(ProcessUtils)) {
      throw StateError('Do not inject ProcessUtils for testing, use ProcessManager instead.');
    }
104
    // Cache the original flutter root to restore after the test case.
105
    final String? originalFlutterRoot = Cache.flutterRoot;
106 107 108 109
    // Track pending timers to verify that they were correctly cleaned up.
    final Map<Timer, StackTrace> timers = <Timer, StackTrace>{};

    return HttpOverrides.runZoned(() {
110 111
      return runInContext<T?>(() {
        return context.run<T?>(
112 113 114 115 116 117 118 119 120 121 122 123
          name: 'testbed',
          overrides: testOverrides,
          zoneSpecification: ZoneSpecification(
            createTimer: (Zone self, ZoneDelegate parent, Zone zone, Duration duration, void Function() timer) {
              final Timer result = parent.createTimer(zone, duration, timer);
              timers[result] = StackTrace.current;
              return result;
            },
            createPeriodicTimer: (Zone self, ZoneDelegate parent, Zone zone, Duration period, void Function(Timer) timer) {
              final Timer result = parent.createPeriodicTimer(zone, period, timer);
              timers[result] = StackTrace.current;
              return result;
124
            },
125 126 127 128
          ),
          body: () async {
            Cache.flutterRoot = '';
            if (_setup != null) {
129
              await _setup?.call();
130 131 132
            }
            await test();
            Cache.flutterRoot = originalFlutterRoot;
133
            for (final MapEntry<Timer, StackTrace> entry in timers.entries) {
134 135 136 137 138 139 140
              if (entry.key.isActive) {
                throw StateError('A Timer was active at the end of a test: ${entry.value}');
              }
            }
            return null;
          });
      });
141
    }, createHttpClient: (SecurityContext? c) => FakeHttpClient.any());
142
  }
143
}