Commit 74c1be6f authored by Zachary Anderson's avatar Zachary Anderson Committed by Flutter GitHub Bot

[flutter_tool] Make base/net.dart context free (#49575)

parent 9980d6e5
...@@ -4,12 +4,14 @@ ...@@ -4,12 +4,14 @@
import 'dart:async'; import 'dart:async';
import '../base/context.dart'; import 'package:meta/meta.dart';
import 'package:platform/platform.dart';
import '../convert.dart'; import '../convert.dart';
import '../globals.dart' as globals;
import 'common.dart'; import 'common.dart';
import 'file_system.dart'; import 'file_system.dart';
import 'io.dart'; import 'io.dart';
import 'logger.dart';
const int kNetworkProblemExitCode = 50; const int kNetworkProblemExitCode = 50;
...@@ -17,18 +19,34 @@ typedef HttpClientFactory = HttpClient Function(); ...@@ -17,18 +19,34 @@ typedef HttpClientFactory = HttpClient Function();
typedef UrlTunneller = Future<String> Function(String url); typedef UrlTunneller = Future<String> Function(String url);
/// Download a file from the given URL. class Net {
/// Net({
/// If a destination file is not provided, returns the bytes. HttpClientFactory httpClientFactory,
/// @required Logger logger,
/// If a destination file is provided, streams the bytes to that file and @required Platform platform,
/// returns an empty list. }) :
/// _httpClientFactory = httpClientFactory,
/// If [maxAttempts] is exceeded, returns null. _logger = logger,
Future<List<int>> fetchUrl(Uri url, { _platform = platform;
final HttpClientFactory _httpClientFactory;
final Logger _logger;
final Platform _platform;
/// Download a file from the given URL.
///
/// If a destination file is not provided, returns the bytes.
///
/// If a destination file is provided, streams the bytes to that file and
/// returns an empty list.
///
/// If [maxAttempts] is exceeded, returns null.
Future<List<int>> fetchUrl(Uri url, {
int maxAttempts, int maxAttempts,
File destFile, File destFile,
}) async { }) async {
int attempts = 0; int attempts = 0;
int durationSeconds = 1; int durationSeconds = 1;
while (true) { while (true) {
...@@ -51,31 +69,33 @@ Future<List<int>> fetchUrl(Uri url, { ...@@ -51,31 +69,33 @@ Future<List<int>> fetchUrl(Uri url, {
} }
if (maxAttempts != null && attempts >= maxAttempts) { if (maxAttempts != null && attempts >= maxAttempts) {
globals.printStatus('Download failed -- retry $attempts'); _logger.printStatus('Download failed -- retry $attempts');
return null; return null;
} }
globals.printStatus('Download failed -- attempting retry $attempts in ' _logger.printStatus(
'$durationSeconds second${ durationSeconds == 1 ? "" : "s"}...'); 'Download failed -- attempting retry $attempts in '
'$durationSeconds second${ durationSeconds == 1 ? "" : "s"}...',
);
await Future<void>.delayed(Duration(seconds: durationSeconds)); await Future<void>.delayed(Duration(seconds: durationSeconds));
if (durationSeconds < 64) { if (durationSeconds < 64) {
durationSeconds *= 2; durationSeconds *= 2;
} }
} }
} }
/// Check if the given URL points to a valid endpoint. /// Check if the given URL points to a valid endpoint.
Future<bool> doesRemoteFileExist(Uri url) async => await _attempt(url, onlyHeaders: true); Future<bool> doesRemoteFileExist(Uri url) => _attempt(url, onlyHeaders: true);
// Returns true on success and false on failure. // Returns true on success and false on failure.
Future<bool> _attempt(Uri url, { Future<bool> _attempt(Uri url, {
IOSink destSink, IOSink destSink,
bool onlyHeaders = false, bool onlyHeaders = false,
}) async { }) async {
assert(onlyHeaders || destSink != null); assert(onlyHeaders || destSink != null);
globals.printTrace('Downloading: $url'); _logger.printTrace('Downloading: $url');
HttpClient httpClient; HttpClient httpClient;
if (context.get<HttpClientFactory>() != null) { if (_httpClientFactory != null) {
httpClient = context.get<HttpClientFactory>()(); httpClient = _httpClientFactory();
} else { } else {
httpClient = HttpClient(); httpClient = HttpClient();
} }
...@@ -89,9 +109,9 @@ Future<bool> _attempt(Uri url, { ...@@ -89,9 +109,9 @@ Future<bool> _attempt(Uri url, {
} }
response = await request.close(); response = await request.close();
} on ArgumentError catch (error) { } on ArgumentError catch (error) {
final String overrideUrl = globals.platform.environment['FLUTTER_STORAGE_BASE_URL']; final String overrideUrl = _platform.environment['FLUTTER_STORAGE_BASE_URL'];
if (overrideUrl != null && url.toString().contains(overrideUrl)) { if (overrideUrl != null && url.toString().contains(overrideUrl)) {
globals.printError(error.toString()); _logger.printError(error.toString());
throwToolExit( throwToolExit(
'The value of FLUTTER_STORAGE_BASE_URL ($overrideUrl) could not be ' 'The value of FLUTTER_STORAGE_BASE_URL ($overrideUrl) could not be '
'parsed as a valid url. Please see https://flutter.dev/community/china ' 'parsed as a valid url. Please see https://flutter.dev/community/china '
...@@ -99,10 +119,10 @@ Future<bool> _attempt(Uri url, { ...@@ -99,10 +119,10 @@ Future<bool> _attempt(Uri url, {
'Full URL: $url', 'Full URL: $url',
exitCode: kNetworkProblemExitCode,); exitCode: kNetworkProblemExitCode,);
} }
globals.printError(error.toString()); _logger.printError(error.toString());
rethrow; rethrow;
} on HandshakeException catch (error) { } on HandshakeException catch (error) {
globals.printTrace(error.toString()); _logger.printTrace(error.toString());
throwToolExit( throwToolExit(
'Could not authenticate download server. You may be experiencing a man-in-the-middle attack,\n' 'Could not authenticate download server. You may be experiencing a man-in-the-middle attack,\n'
'your network may be compromised, or you may have malware installed on your computer.\n' 'your network may be compromised, or you may have malware installed on your computer.\n'
...@@ -110,10 +130,10 @@ Future<bool> _attempt(Uri url, { ...@@ -110,10 +130,10 @@ Future<bool> _attempt(Uri url, {
exitCode: kNetworkProblemExitCode, exitCode: kNetworkProblemExitCode,
); );
} on SocketException catch (error) { } on SocketException catch (error) {
globals.printTrace('Download error: $error'); _logger.printTrace('Download error: $error');
return false; return false;
} on HttpException catch (error) { } on HttpException catch (error) {
globals.printTrace('Download error: $error'); _logger.printTrace('Download error: $error');
return false; return false;
} }
assert(response != null); assert(response != null);
...@@ -133,23 +153,26 @@ Future<bool> _attempt(Uri url, { ...@@ -133,23 +153,26 @@ Future<bool> _attempt(Uri url, {
); );
} }
// 5xx errors are server errors and we can try again // 5xx errors are server errors and we can try again
globals.printTrace('Download error: ${response.statusCode} ${response.reasonPhrase}'); _logger.printTrace('Download error: ${response.statusCode} ${response.reasonPhrase}');
return false; return false;
} }
globals.printTrace('Received response from server, collecting bytes...'); _logger.printTrace('Received response from server, collecting bytes...');
try { try {
assert(destSink != null); assert(destSink != null);
await response.forEach(destSink.add); await response.forEach(destSink.add);
return true; return true;
} on IOException catch (error) { } on IOException catch (error) {
globals.printTrace('Download error: $error'); _logger.printTrace('Download error: $error');
return false; return false;
} finally { } finally {
await destSink?.flush(); await destSink?.flush();
await destSink?.close(); await destSink?.close();
} }
}
} }
/// An IOSink that collects whatever is written to it. /// An IOSink that collects whatever is written to it.
class _MemoryIOSink implements IOSink { class _MemoryIOSink implements IOSink {
@override @override
......
...@@ -103,6 +103,9 @@ class Cache { ...@@ -103,6 +103,9 @@ class Cache {
_fileSystem = fileSystem ?? globals.fs, _fileSystem = fileSystem ?? globals.fs,
_platform = platform ?? globals.platform , _platform = platform ?? globals.platform ,
_osUtils = osUtils ?? os { _osUtils = osUtils ?? os {
// TODO(zra): Move to initializer list once logger and platform parameters
// are required.
_net = Net(logger: _logger, platform: _platform);
if (artifacts == null) { if (artifacts == null) {
_artifacts.add(MaterialFonts(this)); _artifacts.add(MaterialFonts(this));
...@@ -135,6 +138,8 @@ class Cache { ...@@ -135,6 +138,8 @@ class Cache {
final FileSystem _fileSystem; final FileSystem _fileSystem;
final OperatingSystemUtils _osUtils; final OperatingSystemUtils _osUtils;
Net _net;
static const List<String> _hostsBlockedInChina = <String> [ static const List<String> _hostsBlockedInChina = <String> [
'storage.googleapis.com', 'storage.googleapis.com',
]; ];
...@@ -386,7 +391,7 @@ class Cache { ...@@ -386,7 +391,7 @@ class Cache {
final File cachedFile = _fileSystem.file(_fileSystem.path.join(serviceDir.path, url.pathSegments.last)); final File cachedFile = _fileSystem.file(_fileSystem.path.join(serviceDir.path, url.pathSegments.last));
if (!cachedFile.existsSync()) { if (!cachedFile.existsSync()) {
try { try {
await _downloadFile(url, cachedFile); await downloadFile(url, cachedFile);
} catch (e) { } catch (e) {
throwToolExit('Failed to fetch third-party artifact $url: $e'); throwToolExit('Failed to fetch third-party artifact $url: $e');
} }
...@@ -439,6 +444,26 @@ class Cache { ...@@ -439,6 +444,26 @@ class Cache {
this.includeAllPlatforms = includeAllPlatformsState; this.includeAllPlatforms = includeAllPlatformsState;
return allAvailible; return allAvailible;
} }
/// Download a file from the given [url] and write it to [location].
Future<void> downloadFile(Uri url, File location) async {
_ensureExists(location.parent);
await _net.fetchUrl(url, destFile: location);
}
Future<bool> doesRemoteExist(String message, Uri url) async {
final Status status = globals.logger.startProgress(
message,
timeout: timeoutConfiguration.slowOperation,
);
bool exists;
try {
exists = await _net.doesRemoteFileExist(url);
} finally {
status.stop();
}
return exists;
}
} }
/// Representation of a set of artifacts used by the tool. /// Representation of a set of artifacts used by the tool.
...@@ -559,7 +584,7 @@ abstract class CachedArtifact extends ArtifactSet { ...@@ -559,7 +584,7 @@ abstract class CachedArtifact extends ArtifactSet {
if (!verifier(tempFile)) { if (!verifier(tempFile)) {
final Status status = globals.logger.startProgress(message, timeout: timeoutConfiguration.slowOperation); final Status status = globals.logger.startProgress(message, timeout: timeoutConfiguration.slowOperation);
try { try {
await _downloadFile(url, tempFile); await cache.downloadFile(url, tempFile);
status.stop(); status.stop();
} catch (exception) { } catch (exception) {
status.cancel(); status.cancel();
...@@ -741,7 +766,7 @@ abstract class EngineCachedArtifact extends CachedArtifact { ...@@ -741,7 +766,7 @@ abstract class EngineCachedArtifact extends CachedArtifact {
bool exists = false; bool exists = false;
for (final String pkgName in getPackageDirs()) { for (final String pkgName in getPackageDirs()) {
exists = await _doesRemoteExist('Checking package $pkgName is available...', exists = await cache.doesRemoteExist('Checking package $pkgName is available...',
Uri.parse(url + pkgName + '.zip')); Uri.parse(url + pkgName + '.zip'));
if (!exists) { if (!exists) {
return false; return false;
...@@ -751,7 +776,7 @@ abstract class EngineCachedArtifact extends CachedArtifact { ...@@ -751,7 +776,7 @@ abstract class EngineCachedArtifact extends CachedArtifact {
for (final List<String> toolsDir in getBinaryDirs()) { for (final List<String> toolsDir in getBinaryDirs()) {
final String cacheDir = toolsDir[0]; final String cacheDir = toolsDir[0];
final String urlPath = toolsDir[1]; final String urlPath = toolsDir[1];
exists = await _doesRemoteExist('Checking $cacheDir tools are available...', exists = await cache.doesRemoteExist('Checking $cacheDir tools are available...',
Uri.parse(url + urlPath)); Uri.parse(url + urlPath));
if (!exists) { if (!exists) {
return false; return false;
...@@ -1305,19 +1330,6 @@ String flattenNameSubdirs(Uri url) { ...@@ -1305,19 +1330,6 @@ String flattenNameSubdirs(Uri url) {
return globals.fs.path.joinAll(convertedPieces); return globals.fs.path.joinAll(convertedPieces);
} }
/// Download a file from the given [url] and write it to [location].
Future<void> _downloadFile(Uri url, File location) async {
_ensureExists(location.parent);
await fetchUrl(url, destFile: location);
}
Future<bool> _doesRemoteExist(String message, Uri url) async {
final Status status = globals.logger.startProgress(message, timeout: timeoutConfiguration.slowOperation);
final bool exists = await doesRemoteFileExist(url);
status.stop();
return exists;
}
/// Create the given [directory] and parents, as necessary. /// Create the given [directory] and parents, as necessary.
void _ensureExists(Directory directory) { void _ensureExists(Directory directory) {
if (!directory.existsSync()) { if (!directory.existsSync()) {
......
...@@ -11,7 +11,9 @@ import '../android/android.dart' as android; ...@@ -11,7 +11,9 @@ import '../android/android.dart' as android;
import '../android/android_sdk.dart' as android_sdk; import '../android/android_sdk.dart' as android_sdk;
import '../android/gradle_utils.dart' as gradle; import '../android/gradle_utils.dart' as gradle;
import '../base/common.dart'; import '../base/common.dart';
import '../base/context.dart';
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/io.dart';
import '../base/net.dart'; import '../base/net.dart';
import '../base/os.dart'; import '../base/os.dart';
import '../base/utils.dart'; import '../base/utils.dart';
...@@ -165,6 +167,14 @@ class CreateCommand extends FlutterCommand { ...@@ -165,6 +167,14 @@ class CreateCommand extends FlutterCommand {
}; };
} }
// Lazy-initialize the net utilities with values from the context.
Net _cachedNet;
Net get _net => _cachedNet ??= Net(
httpClientFactory: context.get<HttpClientFactory>() ?? () => HttpClient(),
logger: globals.logger,
platform: globals.platform,
);
// If it has a .metadata file with the project_type in it, use that. // If it has a .metadata file with the project_type in it, use that.
// If it has an android dir and an android/app dir, it's a legacy app // If it has an android dir and an android/app dir, it's a legacy app
// If it has an ios dir and an ios/Flutter dir, it's a legacy app // If it has an ios dir and an ios/Flutter dir, it's a legacy app
...@@ -229,13 +239,14 @@ class CreateCommand extends FlutterCommand { ...@@ -229,13 +239,14 @@ class CreateCommand extends FlutterCommand {
'documentation and try again.'); 'documentation and try again.');
} }
return utf8.decode(await fetchUrl(Uri.https(_snippetsHost, 'snippets/$sampleId.dart'))); final Uri snippetsUri = Uri.https(_snippetsHost, 'snippets/$sampleId.dart');
return utf8.decode(await _net.fetchUrl(snippetsUri));
} }
/// Fetches the samples index file from the Flutter docs website. /// Fetches the samples index file from the Flutter docs website.
Future<String> _fetchSamplesIndexFromServer() async { Future<String> _fetchSamplesIndexFromServer() async {
return utf8.decode( final Uri snippetsUri = Uri.https(_snippetsHost, 'snippets/index.json');
await fetchUrl(Uri.https(_snippetsHost, 'snippets/index.json'), maxAttempts: 2)); return utf8.decode(await _net.fetchUrl(snippetsUri, maxAttempts: 2));
} }
/// Fetches the samples index file from the server and writes it to /// Fetches the samples index file from the server and writes it to
......
...@@ -8,7 +8,9 @@ import 'dart:collection'; ...@@ -8,7 +8,9 @@ import 'dart:collection';
import 'package:meta/meta.dart'; import 'package:meta/meta.dart';
import '../base/common.dart'; import '../base/common.dart';
import '../base/context.dart';
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/io.dart';
import '../base/logger.dart'; import '../base/logger.dart';
import '../base/net.dart'; import '../base/net.dart';
import '../cache.dart'; import '../cache.dart';
...@@ -88,14 +90,27 @@ class UpdatePackagesCommand extends FlutterCommand { ...@@ -88,14 +90,27 @@ class UpdatePackagesCommand extends FlutterCommand {
@override @override
final bool hidden; final bool hidden;
// Lazy-initialize the net utilities with values from the context.
Net _cachedNet;
Net get _net => _cachedNet ??= Net(
httpClientFactory: context.get<HttpClientFactory>() ?? () => HttpClient(),
logger: globals.logger,
platform: globals.platform,
);
Future<void> _downloadCoverageData() async { Future<void> _downloadCoverageData() async {
final Status status = globals.logger.startProgress( final Status status = globals.logger.startProgress(
'Downloading lcov data for package:flutter...', 'Downloading lcov data for package:flutter...',
timeout: timeoutConfiguration.slowOperation, timeout: timeoutConfiguration.slowOperation,
); );
final String urlBase = globals.platform.environment['FLUTTER_STORAGE_BASE_URL'] ?? 'https://storage.googleapis.com'; final String urlBase = globals.platform.environment['FLUTTER_STORAGE_BASE_URL'] ?? 'https://storage.googleapis.com';
final List<int> data = await fetchUrl(Uri.parse('$urlBase/flutter_infra/flutter/coverage/lcov.info')); final Uri coverageUri = Uri.parse('$urlBase/flutter_infra/flutter/coverage/lcov.info');
final String coverageDir = globals.fs.path.join(Cache.flutterRoot, 'packages/flutter/coverage'); final List<int> data = await _net.fetchUrl(coverageUri);
final String coverageDir = globals.fs.path.join(
Cache.flutterRoot,
'packages/flutter/coverage',
);
globals.fs.file(globals.fs.path.join(coverageDir, 'lcov.base.info')) globals.fs.file(globals.fs.path.join(coverageDir, 'lcov.base.info'))
..createSync(recursive: true) ..createSync(recursive: true)
..writeAsBytesSync(data, flush: true); ..writeAsBytesSync(data, flush: true);
......
...@@ -7,18 +7,38 @@ import 'dart:convert'; ...@@ -7,18 +7,38 @@ import 'dart:convert';
import 'package:file/file.dart'; import 'package:file/file.dart';
import 'package:file/memory.dart'; import 'package:file/memory.dart';
import 'package:platform/platform.dart';
import 'package:flutter_tools/src/base/file_system.dart'; import 'package:flutter_tools/src/base/file_system.dart';
import 'package:flutter_tools/src/base/io.dart' as io; import 'package:flutter_tools/src/base/io.dart' as io;
import 'package:flutter_tools/src/base/logger.dart';
import 'package:flutter_tools/src/base/net.dart'; import 'package:flutter_tools/src/base/net.dart';
import 'package:flutter_tools/src/base/terminal.dart';
import 'package:flutter_tools/src/globals.dart' as globals; import 'package:platform/platform.dart';
import 'package:quiver/testing/async.dart'; import 'package:quiver/testing/async.dart';
import '../../src/common.dart'; import '../../src/common.dart';
import '../../src/context.dart'; import '../../src/mocks.dart' show MockStdio;
void main() { void main() {
BufferLogger testLogger;
setUp(() {
testLogger = BufferLogger(
terminal: AnsiTerminal(
stdio: MockStdio(),
platform: FakePlatform.fromPlatform(const LocalPlatform())..stdoutSupportsAnsi = false,
),
outputPreferences: OutputPreferences.test(),
);
});
Net createNet(io.HttpClient client) {
return Net(
httpClientFactory: () => client,
logger: testLogger,
platform: FakePlatform.fromPlatform(const LocalPlatform()),
);
}
group('successful fetch', () { group('successful fetch', () {
const String responseString = 'response string'; const String responseString = 'response string';
List<int> responseData; List<int> responseData;
...@@ -27,32 +47,30 @@ void main() { ...@@ -27,32 +47,30 @@ void main() {
responseData = utf8.encode(responseString); responseData = utf8.encode(responseString);
}); });
testUsingContext('fetchUrl() gets the data', () async { testWithoutContext('fetchUrl() gets the data', () async {
final List<int> data = await fetchUrl(Uri.parse('http://example.invalid/')); final Net net = createNet(FakeHttpClient(200, data: responseString));
final List<int> data = await net.fetchUrl(Uri.parse('http://example.invalid/'));
expect(data, equals(responseData)); expect(data, equals(responseData));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(200, data: responseString),
}); });
testUsingContext('fetchUrl(destFile) writes the data to a file', () async { testWithoutContext('fetchUrl(destFile) writes the data to a file', () async {
final File destFile = globals.fs.file('dest_file')..createSync(); final Net net = createNet(FakeHttpClient(200, data: responseString));
final List<int> data = await fetchUrl( final MemoryFileSystem fs = MemoryFileSystem();
final File destFile = fs.file('dest_file')..createSync();
final List<int> data = await net.fetchUrl(
Uri.parse('http://example.invalid/'), Uri.parse('http://example.invalid/'),
destFile: destFile, destFile: destFile,
); );
expect(data, equals(<int>[])); expect(data, equals(<int>[]));
expect(destFile.readAsStringSync(), equals(responseString)); expect(destFile.readAsStringSync(), equals(responseString));
}, overrides: <Type, Generator>{
FileSystem: () => MemoryFileSystem(),
HttpClientFactory: () => () => FakeHttpClient(200, data: responseString),
ProcessManager: () => FakeProcessManager.any(),
}); });
}); });
testUsingContext('retry from 500', () async { testWithoutContext('retry from 500', () async {
final Net net = createNet(FakeHttpClient(500));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -68,14 +86,13 @@ void main() { ...@@ -68,14 +86,13 @@ void main() {
}); });
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(500),
}); });
testUsingContext('retry from network error', () async { testWithoutContext('retry from network error', () async {
final Net net = createNet(FakeHttpClient(200));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -91,14 +108,15 @@ void main() { ...@@ -91,14 +108,15 @@ void main() {
}); });
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(200),
}); });
testUsingContext('retry from SocketException', () async { testWithoutContext('retry from SocketException', () async {
final Net net = createNet(FakeHttpClientThrowing(
const io.SocketException('test exception handling'),
));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -115,16 +133,15 @@ void main() { ...@@ -115,16 +133,15 @@ void main() {
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
expect(testLogger.traceText, contains('Download error: SocketException')); expect(testLogger.traceText, contains('Download error: SocketException'));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClientThrowing(
const io.SocketException('test exception handling'),
),
}); });
testUsingContext('no retry from HandshakeException', () async { testWithoutContext('no retry from HandshakeException', () async {
final Net net = createNet(FakeHttpClientThrowing(
const io.HandshakeException('test exception handling'),
));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed: $exception'; error = 'test failed: $exception';
...@@ -135,16 +152,22 @@ void main() { ...@@ -135,16 +152,22 @@ void main() {
}); });
expect(error, startsWith('test failed')); expect(error, startsWith('test failed'));
expect(testLogger.traceText, contains('HandshakeException')); expect(testLogger.traceText, contains('HandshakeException'));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClientThrowing(
const io.HandshakeException('test exception handling'),
),
}); });
testUsingContext('check for bad override on ArgumentError', () async { testWithoutContext('check for bad override on ArgumentError', () async {
final Net net = Net(
httpClientFactory: () => FakeHttpClientThrowing(
ArgumentError('test exception handling'),
),
logger: testLogger,
platform: FakePlatform.fromPlatform(const LocalPlatform())
..environment = <String, String>{
'FLUTTER_STORAGE_BASE_URL': 'example.invalid',
},
);
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed: $exception'; error = 'test failed: $exception';
...@@ -156,20 +179,15 @@ void main() { ...@@ -156,20 +179,15 @@ void main() {
expect(error, startsWith('test failed')); expect(error, startsWith('test failed'));
expect(testLogger.errorText, contains('Invalid argument')); expect(testLogger.errorText, contains('Invalid argument'));
expect(error, contains('FLUTTER_STORAGE_BASE_URL')); expect(error, contains('FLUTTER_STORAGE_BASE_URL'));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClientThrowing(
ArgumentError('test exception handling'),
),
Platform: () => FakePlatform.fromPlatform(const LocalPlatform())
..environment = <String, String>{
'FLUTTER_STORAGE_BASE_URL': 'example.invalid',
},
}); });
testUsingContext('retry from HttpException', () async { testWithoutContext('retry from HttpException', () async {
final Net net = createNet(FakeHttpClientThrowing(
const io.HttpException('test exception handling'),
));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -186,16 +204,15 @@ void main() { ...@@ -186,16 +204,15 @@ void main() {
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
expect(testLogger.traceText, contains('Download error: HttpException')); expect(testLogger.traceText, contains('Download error: HttpException'));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClientThrowing(
const io.HttpException('test exception handling'),
),
}); });
testUsingContext('retry from HttpException when request throws', () async { testWithoutContext('retry from HttpException when request throws', () async {
final Net net = createNet(FakeHttpClientThrowingRequest(
const io.HttpException('test exception handling'),
));
String error; String error;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/')).then((List<int> value) {
error = 'test completed unexpectedly'; error = 'test completed unexpectedly';
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -212,17 +229,14 @@ void main() { ...@@ -212,17 +229,14 @@ void main() {
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
expect(testLogger.traceText, contains('Download error: HttpException')); expect(testLogger.traceText, contains('Download error: HttpException'));
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClientThrowingRequest(
const io.HttpException('test exception handling'),
),
}); });
testUsingContext('max attempts', () async { testWithoutContext('max attempts', () async {
final Net net = createNet(FakeHttpClient(500));
String error; String error;
List<int> actualResult; List<int> actualResult;
FakeAsync().run((FakeAsync time) { FakeAsync().run((FakeAsync time) {
fetchUrl(Uri.parse('http://example.invalid/'), maxAttempts: 3).then((List<int> value) { net.fetchUrl(Uri.parse('http://example.invalid/'), maxAttempts: 3).then((List<int> value) {
actualResult = value; actualResult = value;
}, onError: (dynamic exception) { }, onError: (dynamic exception) {
error = 'test failed unexpectedly: $exception'; error = 'test failed unexpectedly: $exception';
...@@ -238,32 +252,27 @@ void main() { ...@@ -238,32 +252,27 @@ void main() {
expect(testLogger.errorText, isEmpty); expect(testLogger.errorText, isEmpty);
expect(error, isNull); expect(error, isNull);
expect(actualResult, isNull); expect(actualResult, isNull);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(500),
}); });
testUsingContext('remote file non-existant', () async { testWithoutContext('remote file non-existant', () async {
final Net net = createNet(FakeHttpClient(404));
final Uri invalid = Uri.parse('http://example.invalid/'); final Uri invalid = Uri.parse('http://example.invalid/');
final bool result = await doesRemoteFileExist(invalid); final bool result = await net.doesRemoteFileExist(invalid);
expect(result, false); expect(result, false);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(404),
}); });
testUsingContext('remote file server error', () async { testWithoutContext('remote file server error', () async {
final Net net = createNet(FakeHttpClient(500));
final Uri valid = Uri.parse('http://example.valid/'); final Uri valid = Uri.parse('http://example.valid/');
final bool result = await doesRemoteFileExist(valid); final bool result = await net.doesRemoteFileExist(valid);
expect(result, false); expect(result, false);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(500),
}); });
testUsingContext('remote file exists', () async { testWithoutContext('remote file exists', () async {
final Net net = createNet(FakeHttpClient(200));
final Uri valid = Uri.parse('http://example.valid/'); final Uri valid = Uri.parse('http://example.valid/');
final bool result = await doesRemoteFileExist(valid); final bool result = await net.doesRemoteFileExist(valid);
expect(result, true); expect(result, true);
}, overrides: <Type, Generator>{
HttpClientFactory: () => () => FakeHttpClient(200),
}); });
} }
......
...@@ -922,4 +922,13 @@ class FakeCache implements Cache { ...@@ -922,4 +922,13 @@ class FakeCache implements Cache {
@override @override
Future<void> updateAll(Set<DevelopmentArtifact> requiredArtifacts) async { Future<void> updateAll(Set<DevelopmentArtifact> requiredArtifacts) async {
} }
@override
Future<void> downloadFile(Uri url, File location) async {
}
@override
Future<bool> doesRemoteExist(String message, Uri url) async {
return true;
}
} }
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment