Unverified Commit 03496606 authored by Zachary Anderson's avatar Zachary Anderson Committed by GitHub

[flutter_tools] File system utilities (#48738)

parent d7d64265
...@@ -191,7 +191,7 @@ FileSystem crashFileSystem = const LocalFileSystem(); ...@@ -191,7 +191,7 @@ FileSystem crashFileSystem = const LocalFileSystem();
/// Saves the crash report to a local file. /// Saves the crash report to a local file.
Future<File> _createLocalCrashReport(List<String> args, dynamic error, StackTrace stackTrace, String doctorText) async { Future<File> _createLocalCrashReport(List<String> args, dynamic error, StackTrace stackTrace, String doctorText) async {
File crashFile = getUniqueFile(crashFileSystem.currentDirectory, 'flutter', 'log'); File crashFile = fsUtils.getUniqueFile(crashFileSystem.currentDirectory, 'flutter', 'log');
final StringBuffer buffer = StringBuffer(); final StringBuffer buffer = StringBuffer();
...@@ -211,7 +211,7 @@ Future<File> _createLocalCrashReport(List<String> args, dynamic error, StackTrac ...@@ -211,7 +211,7 @@ Future<File> _createLocalCrashReport(List<String> args, dynamic error, StackTrac
crashFile.writeAsStringSync(buffer.toString()); crashFile.writeAsStringSync(buffer.toString());
} on FileSystemException catch (_) { } on FileSystemException catch (_) {
// Fallback to the system temporary directory. // Fallback to the system temporary directory.
crashFile = getUniqueFile(crashFileSystem.systemTempDirectory, 'flutter', 'log'); crashFile = fsUtils.getUniqueFile(crashFileSystem.systemTempDirectory, 'flutter', 'log');
try { try {
crashFile.writeAsStringSync(buffer.toString()); crashFile.writeAsStringSync(buffer.toString());
} on FileSystemException catch (e) { } on FileSystemException catch (e) {
......
...@@ -98,7 +98,7 @@ class GradleUtils { ...@@ -98,7 +98,7 @@ class GradleUtils {
/// Injects the Gradle wrapper files if any of these files don't exist in [directory]. /// Injects the Gradle wrapper files if any of these files don't exist in [directory].
void injectGradleWrapperIfNeeded(Directory directory) { void injectGradleWrapperIfNeeded(Directory directory) {
copyDirectorySync( fsUtils.copyDirectorySync(
globals.cache.getArtifactDirectory('gradle_wrapper'), globals.cache.getArtifactDirectory('gradle_wrapper'),
directory, directory,
shouldCopyFile: (File sourceFile, File destinationFile) { shouldCopyFile: (File sourceFile, File destinationFile) {
...@@ -267,10 +267,10 @@ void updateLocalProperties({ ...@@ -267,10 +267,10 @@ void updateLocalProperties({
} }
if (androidSdk != null) { if (androidSdk != null) {
changeIfNecessary('sdk.dir', escapePath(androidSdk.directory)); changeIfNecessary('sdk.dir', fsUtils.escapePath(androidSdk.directory));
} }
changeIfNecessary('flutter.sdk', escapePath(Cache.flutterRoot)); changeIfNecessary('flutter.sdk', fsUtils.escapePath(Cache.flutterRoot));
if (buildInfo != null) { if (buildInfo != null) {
changeIfNecessary('flutter.buildMode', buildInfo.modeName); changeIfNecessary('flutter.buildMode', buildInfo.modeName);
final String buildName = validatedBuildNameForPlatform( final String buildName = validatedBuildNameForPlatform(
...@@ -296,7 +296,7 @@ void updateLocalProperties({ ...@@ -296,7 +296,7 @@ void updateLocalProperties({
void writeLocalProperties(File properties) { void writeLocalProperties(File properties) {
final SettingsFile settings = SettingsFile(); final SettingsFile settings = SettingsFile();
if (androidSdk != null) { if (androidSdk != null) {
settings.values['sdk.dir'] = escapePath(androidSdk.directory); settings.values['sdk.dir'] = fsUtils.escapePath(androidSdk.directory);
} }
settings.writeContents(properties); settings.writeContents(properties);
} }
......
...@@ -11,7 +11,10 @@ import 'utils.dart'; ...@@ -11,7 +11,10 @@ import 'utils.dart';
class Config { class Config {
Config([File configFile, Logger localLogger]) { Config([File configFile, Logger localLogger]) {
final Logger loggerInstance = localLogger ?? globals.logger; final Logger loggerInstance = localLogger ?? globals.logger;
_configFile = configFile ?? globals.fs.file(globals.fs.path.join(userHomePath(), '.flutter_settings')); _configFile = configFile ?? globals.fs.file(globals.fs.path.join(
fsUtils.userHomePath,
'.flutter_settings',
));
if (_configFile.existsSync()) { if (_configFile.existsSync()) {
try { try {
_values = castStringKeyedMap(json.decode(_configFile.readAsStringSync())); _values = castStringKeyedMap(json.decode(_configFile.readAsStringSync()));
......
...@@ -4,108 +4,149 @@ ...@@ -4,108 +4,149 @@
import 'package:file/file.dart'; import 'package:file/file.dart';
import 'package:meta/meta.dart'; import 'package:meta/meta.dart';
import 'package:platform/platform.dart';
import '../globals.dart' as globals; import '../globals.dart' as globals;
import 'common.dart' show throwToolExit; import 'common.dart' show throwToolExit;
import 'context.dart';
export 'package:file/file.dart'; export 'package:file/file.dart';
export 'package:file/local.dart'; export 'package:file/local.dart';
/// Create the ancestor directories of a file path if they do not already exist. /// Exception indicating that a file that was expected to exist was not found.
void ensureDirectoryExists(String filePath) { class FileNotFoundException implements IOException {
final String dirPath = globals.fs.path.dirname(filePath); const FileNotFoundException(this.path);
if (globals.fs.isDirectorySync(dirPath)) {
return; final String path;
}
try { @override
globals.fs.directory(dirPath).createSync(recursive: true); String toString() => 'File not found: $path';
} on FileSystemException catch (e) {
throwToolExit('Failed to create directory "$dirPath": ${e.osError.message}');
}
} }
/// Creates `destDir` if needed, then recursively copies `srcDir` to `destDir`, final FileSystemUtils _defaultFileSystemUtils = FileSystemUtils(
/// invoking [onFileCopied], if specified, for each source/destination file pair. fileSystem: globals.fs,
/// platform: globals.platform,
/// Skips files if [shouldCopyFile] returns `false`. );
void copyDirectorySync(
Directory srcDir, FileSystemUtils get fsUtils => context.get<FileSystemUtils>() ?? _defaultFileSystemUtils;
Directory destDir, {
bool shouldCopyFile(File srcFile, File destFile), /// Various convenience file system methods.
void onFileCopied(File srcFile, File destFile), class FileSystemUtils {
}) { FileSystemUtils({
if (!srcDir.existsSync()) { @required FileSystem fileSystem,
throw Exception('Source directory "${srcDir.path}" does not exist, nothing to copy'); @required Platform platform,
} }) : _fileSystem = fileSystem,
_platform = platform;
final FileSystem _fileSystem;
final Platform _platform;
if (!destDir.existsSync()) { /// Create the ancestor directories of a file path if they do not already exist.
destDir.createSync(recursive: true); void ensureDirectoryExists(String filePath) {
final String dirPath = _fileSystem.path.dirname(filePath);
if (_fileSystem.isDirectorySync(dirPath)) {
return;
}
try {
_fileSystem.directory(dirPath).createSync(recursive: true);
} on FileSystemException catch (e) {
throwToolExit('Failed to create directory "$dirPath": ${e.osError.message}');
}
} }
for (final FileSystemEntity entity in srcDir.listSync()) { /// Creates `destDir` if needed, then recursively copies `srcDir` to
final String newPath = destDir.fileSystem.path.join(destDir.path, entity.basename); /// `destDir`, invoking [onFileCopied], if specified, for each
if (entity is File) { /// source/destination file pair.
final File newFile = destDir.fileSystem.file(newPath); ///
if (shouldCopyFile != null && !shouldCopyFile(entity, newFile)) { /// Skips files if [shouldCopyFile] returns `false`.
continue; void copyDirectorySync(
Directory srcDir,
Directory destDir, {
bool shouldCopyFile(File srcFile, File destFile),
void onFileCopied(File srcFile, File destFile),
}) {
if (!srcDir.existsSync()) {
throw Exception('Source directory "${srcDir.path}" does not exist, nothing to copy');
}
if (!destDir.existsSync()) {
destDir.createSync(recursive: true);
}
for (final FileSystemEntity entity in srcDir.listSync()) {
final String newPath = destDir.fileSystem.path.join(destDir.path, entity.basename);
if (entity is File) {
final File newFile = destDir.fileSystem.file(newPath);
if (shouldCopyFile != null && !shouldCopyFile(entity, newFile)) {
continue;
}
newFile.writeAsBytesSync(entity.readAsBytesSync());
onFileCopied?.call(entity, newFile);
} else if (entity is Directory) {
copyDirectorySync(
entity,
destDir.fileSystem.directory(newPath),
shouldCopyFile: shouldCopyFile,
onFileCopied: onFileCopied,
);
} else {
throw Exception('${entity.path} is neither File nor Directory');
} }
newFile.writeAsBytesSync(entity.readAsBytesSync());
onFileCopied?.call(entity, newFile);
} else if (entity is Directory) {
copyDirectorySync(
entity,
destDir.fileSystem.directory(newPath),
shouldCopyFile: shouldCopyFile,
onFileCopied: onFileCopied,
);
} else {
throw Exception('${entity.path} is neither File nor Directory');
} }
} }
}
/// Canonicalizes [path]. /// Appends a number to a filename in order to make it unique under a
/// /// directory.
/// This function implements the behavior of `canonicalize` from File getUniqueFile(Directory dir, String baseName, String ext) {
/// `package:path`. However, unlike the original, it does not change the ASCII final FileSystem fs = dir.fileSystem;
/// case of the path. Changing the case can break hot reload in some situations, int i = 1;
/// for an example see: https://github.com/flutter/flutter/issues/9539.
String canonicalizePath(String path) => globals.fs.path.normalize(globals.fs.path.absolute(path)); while (true) {
final String name = '${baseName}_${i.toString().padLeft(2, '0')}.$ext';
/// Escapes [path]. final File file = fs.file(_fileSystem.path.join(dir.path, name));
/// if (!file.existsSync()) {
/// On Windows it replaces all '\' with '\\'. On other platforms, it returns the return file;
/// path unchanged. }
String escapePath(String path) => globals.platform.isWindows ? path.replaceAll('\\', '\\\\') : path; i++;
}
/// Returns true if the file system [entity] has not been modified since the
/// latest modification to [referenceFile].
///
/// Returns true, if [entity] does not exist.
///
/// Returns false, if [entity] exists, but [referenceFile] does not.
bool isOlderThanReference({ @required FileSystemEntity entity, @required File referenceFile }) {
if (!entity.existsSync()) {
return true;
} }
return referenceFile.existsSync()
&& referenceFile.statSync().modified.isAfter(entity.statSync().modified);
}
/// Exception indicating that a file that was expected to exist was not found. /// Return a relative path if [fullPath] is contained by the cwd, else return an
class FileNotFoundException implements IOException { /// absolute path.
const FileNotFoundException(this.path); String getDisplayPath(String fullPath) {
final String cwd = _fileSystem.currentDirectory.path + _fileSystem.path.separator;
return fullPath.startsWith(cwd) ? fullPath.substring(cwd.length) : fullPath;
}
final String path; /// Escapes [path].
///
/// On Windows it replaces all '\' with '\\'. On other platforms, it returns the
/// path unchanged.
String escapePath(String path) => _platform.isWindows ? path.replaceAll('\\', '\\\\') : path;
@override /// Returns true if the file system [entity] has not been modified since the
String toString() => 'File not found: $path'; /// latest modification to [referenceFile].
} ///
/// Returns true, if [entity] does not exist.
///
/// Returns false, if [entity] exists, but [referenceFile] does not.
bool isOlderThanReference({
@required FileSystemEntity entity,
@required File referenceFile,
}) {
if (!entity.existsSync()) {
return true;
}
return referenceFile.existsSync()
&& referenceFile.statSync().modified.isAfter(entity.statSync().modified);
}
/// Reads the process environment to find the current user's home directory. /// Reads the process environment to find the current user's home directory.
/// ///
/// If the searched environment variables are not set, '.' is returned instead. /// If the searched environment variables are not set, '.' is returned instead.
String userHomePath() { String get userHomePath {
final String envKey = globals.platform.operatingSystem == 'windows' ? 'APPDATA' : 'HOME'; final String envKey = _platform.operatingSystem == 'windows' ? 'APPDATA' : 'HOME';
return globals.platform.environment[envKey] ?? '.'; return _platform.environment[envKey] ?? '.';
}
} }
...@@ -33,6 +33,7 @@ import 'dart:io' as io ...@@ -33,6 +33,7 @@ import 'dart:io' as io
InternetAddressType, InternetAddressType,
IOSink, IOSink,
NetworkInterface, NetworkInterface,
pid,
Process, Process,
ProcessInfo, ProcessInfo,
ProcessSignal, ProcessSignal,
...@@ -252,6 +253,14 @@ Stream<List<int>> get stdin => globals.stdio.stdin; ...@@ -252,6 +253,14 @@ Stream<List<int>> get stdin => globals.stdio.stdin;
io.IOSink get stderr => globals.stdio.stderr; io.IOSink get stderr => globals.stdio.stderr;
bool get stdinHasTerminal => globals.stdio.stdinHasTerminal; bool get stdinHasTerminal => globals.stdio.stdinHasTerminal;
// TODO(zra): Move pid and writePidFile into `ProcessInfo`.
void writePidFile(String pidFile) {
if (pidFile != null) {
// Write our pid to the file.
globals.fs.file(pidFile).writeAsStringSync(io.pid.toString());
}
}
/// An overridable version of io.ProcessInfo. /// An overridable version of io.ProcessInfo.
abstract class ProcessInfo { abstract class ProcessInfo {
factory ProcessInfo() => _DefaultProcessInfo(); factory ProcessInfo() => _DefaultProcessInfo();
......
...@@ -11,7 +11,6 @@ import 'package:meta/meta.dart'; ...@@ -11,7 +11,6 @@ import 'package:meta/meta.dart';
import '../convert.dart'; import '../convert.dart';
import '../globals.dart' as globals; import '../globals.dart' as globals;
import 'file_system.dart'; import 'file_system.dart';
import 'io.dart' as io;
import 'terminal.dart'; import 'terminal.dart';
/// Convert `foo_bar` to `fooBar`. /// Convert `foo_bar` to `fooBar`.
...@@ -51,29 +50,10 @@ String getEnumName(dynamic enumItem) { ...@@ -51,29 +50,10 @@ String getEnumName(dynamic enumItem) {
return index == -1 ? name : name.substring(index + 1); return index == -1 ? name : name.substring(index + 1);
} }
File getUniqueFile(Directory dir, String baseName, String ext) {
final FileSystem fs = dir.fileSystem;
int i = 1;
while (true) {
final String name = '${baseName}_${i.toString().padLeft(2, '0')}.$ext';
final File file = fs.file(globals.fs.path.join(dir.path, name));
if (!file.existsSync()) {
return file;
}
i++;
}
}
String toPrettyJson(Object jsonable) { String toPrettyJson(Object jsonable) {
return const JsonEncoder.withIndent(' ').convert(jsonable) + '\n'; return const JsonEncoder.withIndent(' ').convert(jsonable) + '\n';
} }
/// Return a String - with units - for the size in MB of the given number of bytes.
String getSizeAsMB(int bytesLength) {
return '${(bytesLength / (1024 * 1024)).toStringAsFixed(1)}MB';
}
final NumberFormat kSecondsFormat = NumberFormat('0.0'); final NumberFormat kSecondsFormat = NumberFormat('0.0');
final NumberFormat kMillisecondsFormat = NumberFormat.decimalPattern(); final NumberFormat kMillisecondsFormat = NumberFormat.decimalPattern();
...@@ -86,11 +66,9 @@ String getElapsedAsMilliseconds(Duration duration) { ...@@ -86,11 +66,9 @@ String getElapsedAsMilliseconds(Duration duration) {
return '${kMillisecondsFormat.format(duration.inMilliseconds)}ms'; return '${kMillisecondsFormat.format(duration.inMilliseconds)}ms';
} }
/// Return a relative path if [fullPath] is contained by the cwd, else return an /// Return a String - with units - for the size in MB of the given number of bytes.
/// absolute path. String getSizeAsMB(int bytesLength) {
String getDisplayPath(String fullPath) { return '${(bytesLength / (1024 * 1024)).toStringAsFixed(1)}MB';
final String cwd = globals.fs.currentDirectory.path + globals.fs.path.separator;
return fullPath.startsWith(cwd) ? fullPath.substring(cwd.length) : fullPath;
} }
/// A class to maintain a list of items, fire events when items are added or /// A class to maintain a list of items, fire events when items are added or
...@@ -315,13 +293,6 @@ String wrapText(String text, { int columnWidth, int hangingIndent, int indent, b ...@@ -315,13 +293,6 @@ String wrapText(String text, { int columnWidth, int hangingIndent, int indent, b
return result.join('\n'); return result.join('\n');
} }
void writePidFile(String pidFile) {
if (pidFile != null) {
// Write our pid to the file.
globals.fs.file(pidFile).writeAsStringSync(io.pid.toString());
}
}
// Used to represent a run of ANSI control sequences next to a visible // Used to represent a run of ANSI control sequences next to a visible
// character. // character.
class _AnsiRun { class _AnsiRun {
......
...@@ -14,6 +14,7 @@ import 'package:webkit_inspection_protocol/webkit_inspection_protocol.dart' ...@@ -14,6 +14,7 @@ import 'package:webkit_inspection_protocol/webkit_inspection_protocol.dart'
import '../application_package.dart'; import '../application_package.dart';
import '../base/async_guard.dart'; import '../base/async_guard.dart';
import '../base/common.dart'; import '../base/common.dart';
import '../base/file_system.dart';
import '../base/io.dart'; import '../base/io.dart';
import '../base/logger.dart'; import '../base/logger.dart';
import '../base/net.dart'; import '../base/net.dart';
...@@ -388,7 +389,10 @@ class _ExperimentalResidentWebRunner extends ResidentWebRunner { ...@@ -388,7 +389,10 @@ class _ExperimentalResidentWebRunner extends ResidentWebRunner {
return 1; return 1;
} }
final String modeName = debuggingOptions.buildInfo.friendlyModeName; final String modeName = debuggingOptions.buildInfo.friendlyModeName;
globals.printStatus('Launching ${getDisplayPath(target)} on ${device.device.name} in $modeName mode...'); globals.printStatus(
'Launching ${fsUtils.getDisplayPath(target)} '
'on ${device.device.name} in $modeName mode...',
);
final String effectiveHostname = debuggingOptions.hostname ?? 'localhost'; final String effectiveHostname = debuggingOptions.hostname ?? 'localhost';
final int hostPort = debuggingOptions.port == null final int hostPort = debuggingOptions.port == null
? await os.findFreePort() ? await os.findFreePort()
...@@ -587,7 +591,9 @@ class _DwdsResidentWebRunner extends ResidentWebRunner { ...@@ -587,7 +591,9 @@ class _DwdsResidentWebRunner extends ResidentWebRunner {
} }
final String modeName = debuggingOptions.buildInfo.friendlyModeName; final String modeName = debuggingOptions.buildInfo.friendlyModeName;
globals.printStatus( globals.printStatus(
'Launching ${getDisplayPath(target)} on ${device.device.name} in $modeName mode...'); 'Launching ${fsUtils.getDisplayPath(target)} '
'on ${device.device.name} in $modeName mode...',
);
Status buildStatus; Status buildStatus;
bool statusActive = false; bool statusActive = false;
try { try {
......
...@@ -82,14 +82,23 @@ class BuildRunnerWebCompilationProxy extends WebCompilationProxy { ...@@ -82,14 +82,23 @@ class BuildRunnerWebCompilationProxy extends WebCompilationProxy {
.listSync() .listSync()
.whereType<Directory>(); .whereType<Directory>();
for (final Directory childDirectory in childDirectories) { for (final Directory childDirectory in childDirectories) {
final String path = globals.fs.path.join(testOutputDir, 'packages', final String path = globals.fs.path.join(
globals.fs.path.basename(childDirectory.path)); testOutputDir,
copyDirectorySync(childDirectory.childDirectory('lib'), globals.fs.directory(path)); 'packages',
globals.fs.path.basename(childDirectory.path),
);
fsUtils.copyDirectorySync(
childDirectory.childDirectory('lib'),
globals.fs.directory(path),
);
} }
final Directory outputDirectory = rootDirectory final Directory outputDirectory = rootDirectory
.childDirectory(projectName) .childDirectory(projectName)
.childDirectory('test'); .childDirectory('test');
copyDirectorySync(outputDirectory, globals.fs.directory(globals.fs.path.join(testOutputDir))); fsUtils.copyDirectorySync(
outputDirectory,
globals.fs.directory(globals.fs.path.join(testOutputDir)),
);
} }
return success; return success;
} }
......
...@@ -124,8 +124,8 @@ class FlutterPlugins extends Target { ...@@ -124,8 +124,8 @@ class FlutterPlugins extends Target {
final FlutterProject project = FlutterProject.fromDirectory(environment.projectDir); final FlutterProject project = FlutterProject.fromDirectory(environment.projectDir);
final List<Plugin> plugins = findPlugins(project); final List<Plugin> plugins = findPlugins(project);
final String pluginManifest = plugins final String pluginManifest = plugins
.map<String>((Plugin p) => '${p.name}=${escapePath(p.path)}') .map<String>((Plugin p) => '${p.name}=${fsUtils.escapePath(p.path)}')
.join('\n'); .join('\n');
final File flutterPluginsFile = environment.projectDir.childFile('.flutter-plugins'); final File flutterPluginsFile = environment.projectDir.childFile('.flutter-plugins');
if (!flutterPluginsFile.existsSync() || flutterPluginsFile.readAsStringSync() != pluginManifest) { if (!flutterPluginsFile.existsSync() || flutterPluginsFile.readAsStringSync() != pluginManifest) {
flutterPluginsFile.writeAsStringSync(pluginManifest); flutterPluginsFile.writeAsStringSync(pluginManifest);
......
...@@ -346,7 +346,10 @@ class Cache { ...@@ -346,7 +346,10 @@ class Cache {
/// [entity] doesn't exist. /// [entity] doesn't exist.
bool isOlderThanToolsStamp(FileSystemEntity entity) { bool isOlderThanToolsStamp(FileSystemEntity entity) {
final File flutterToolsStamp = getStampFileFor('flutter_tools'); final File flutterToolsStamp = getStampFileFor('flutter_tools');
return isOlderThanReference(entity: entity, referenceFile: flutterToolsStamp); return fsUtils.isOlderThanReference(
entity: entity,
referenceFile: flutterToolsStamp,
);
} }
bool isUpToDate() => _artifacts.every((ArtifactSet artifact) => artifact.isUpToDate()); bool isUpToDate() => _artifacts.every((ArtifactSet artifact) => artifact.isUpToDate());
...@@ -912,7 +915,7 @@ class AndroidMavenArtifacts extends ArtifactSet { ...@@ -912,7 +915,7 @@ class AndroidMavenArtifacts extends ArtifactSet {
); );
try { try {
final String gradleExecutable = gradle.absolute.path; final String gradleExecutable = gradle.absolute.path;
final String flutterSdk = escapePath(Cache.flutterRoot); final String flutterSdk = fsUtils.escapePath(Cache.flutterRoot);
final RunResult processResult = await processUtils.run( final RunResult processResult = await processUtils.run(
<String>[ <String>[
gradleExecutable, gradleExecutable,
......
...@@ -11,7 +11,6 @@ import '../base/common.dart'; ...@@ -11,7 +11,6 @@ import '../base/common.dart';
import '../base/context.dart'; import '../base/context.dart';
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/io.dart'; import '../base/io.dart';
import '../base/utils.dart';
import '../cache.dart'; import '../cache.dart';
import '../commands/daemon.dart'; import '../commands/daemon.dart';
import '../compile.dart'; import '../compile.dart';
......
...@@ -265,15 +265,35 @@ end ...@@ -265,15 +265,35 @@ end
} }
} }
Future<void> _produceFlutterFramework(Directory outputDirectory, BuildMode mode, Directory iPhoneBuildOutput, Directory simulatorBuildOutput, Directory modeDirectory) async { Future<void> _produceFlutterFramework(
final Status status = globals.logger.startProgress(' ├─Populating Flutter.framework...', timeout: timeoutConfiguration.slowOperation); Directory outputDirectory,
final String engineCacheFlutterFrameworkDirectory = globals.artifacts.getArtifactPath(Artifact.flutterFramework, platform: TargetPlatform.ios, mode: mode); BuildMode mode,
final String flutterFrameworkFileName = globals.fs.path.basename(engineCacheFlutterFrameworkDirectory); Directory iPhoneBuildOutput,
final Directory fatFlutterFrameworkCopy = modeDirectory.childDirectory(flutterFrameworkFileName); Directory simulatorBuildOutput,
Directory modeDirectory,
) async {
final Status status = globals.logger.startProgress(
' ├─Populating Flutter.framework...',
timeout: timeoutConfiguration.slowOperation,
);
final String engineCacheFlutterFrameworkDirectory = globals.artifacts.getArtifactPath(
Artifact.flutterFramework,
platform: TargetPlatform.ios,
mode: mode,
);
final String flutterFrameworkFileName = globals.fs.path.basename(
engineCacheFlutterFrameworkDirectory,
);
final Directory fatFlutterFrameworkCopy = modeDirectory.childDirectory(
flutterFrameworkFileName,
);
try { try {
// Copy universal engine cache framework to mode directory. // Copy universal engine cache framework to mode directory.
copyDirectorySync(globals.fs.directory(engineCacheFlutterFrameworkDirectory), fatFlutterFrameworkCopy); fsUtils.copyDirectorySync(
globals.fs.directory(engineCacheFlutterFrameworkDirectory),
fatFlutterFrameworkCopy,
);
if (mode != BuildMode.debug) { if (mode != BuildMode.debug) {
final File fatFlutterFrameworkBinary = fatFlutterFrameworkCopy.childFile('Flutter'); final File fatFlutterFrameworkBinary = fatFlutterFrameworkCopy.childFile('Flutter');
...@@ -295,7 +315,8 @@ end ...@@ -295,7 +315,8 @@ end
if (lipoResult.exitCode != 0) { if (lipoResult.exitCode != 0) {
throwToolExit( throwToolExit(
'Unable to remove simulator architecture in $mode: ${lipoResult.stderr}'); 'Unable to remove simulator architecture in $mode: ${lipoResult.stderr}',
);
} }
} }
} finally { } finally {
...@@ -378,12 +399,18 @@ end ...@@ -378,12 +399,18 @@ end
} }
} }
Future<void> _produceAotAppFrameworkIfNeeded(BuildMode mode, Directory iPhoneBuildOutput, Directory destinationAppFrameworkDirectory) async { Future<void> _produceAotAppFrameworkIfNeeded(
BuildMode mode,
Directory iPhoneBuildOutput,
Directory destinationAppFrameworkDirectory,
) async {
if (mode == BuildMode.debug) { if (mode == BuildMode.debug) {
return; return;
} }
final Status status = globals.logger.startProgress( final Status status = globals.logger.startProgress(
' ├─Building Dart AOT for App.framework...', timeout: timeoutConfiguration.slowOperation); ' ├─Building Dart AOT for App.framework...',
timeout: timeoutConfiguration.slowOperation,
);
try { try {
await aotBuilder.build( await aotBuilder.build(
platform: TargetPlatform.ios, platform: TargetPlatform.ios,
...@@ -399,7 +426,10 @@ end ...@@ -399,7 +426,10 @@ end
); );
const String appFrameworkName = 'App.framework'; const String appFrameworkName = 'App.framework';
copyDirectorySync(iPhoneBuildOutput.childDirectory(appFrameworkName), destinationAppFrameworkDirectory); fsUtils.copyDirectorySync(
iPhoneBuildOutput.childDirectory(appFrameworkName),
destinationAppFrameworkDirectory,
);
} finally { } finally {
status.stop(); status.stop();
} }
...@@ -456,72 +486,96 @@ end ...@@ -456,72 +486,96 @@ end
buildPluginsResult = processUtils.runSync( buildPluginsResult = processUtils.runSync(
pluginsBuildCommand, pluginsBuildCommand,
workingDirectory: _project.ios.hostAppRoot workingDirectory: _project.ios.hostAppRoot
.childDirectory('Pods') .childDirectory('Pods')
.path, .path,
allowReentrantFlutter: false, allowReentrantFlutter: false,
); );
if (buildPluginsResult.exitCode != 0) { if (buildPluginsResult.exitCode != 0) {
throwToolExit('Unable to build plugin frameworks for simulator: ${buildPluginsResult.stderr}'); throwToolExit(
'Unable to build plugin frameworks for simulator: ${buildPluginsResult.stderr}',
);
} }
} }
final Directory iPhoneBuildConfiguration = iPhoneBuildOutput.childDirectory('$xcodeBuildConfiguration-iphoneos'); final Directory iPhoneBuildConfiguration = iPhoneBuildOutput.childDirectory(
final Directory simulatorBuildConfiguration = simulatorBuildOutput.childDirectory('$xcodeBuildConfiguration-iphonesimulator'); '$xcodeBuildConfiguration-iphoneos',
);
final Directory simulatorBuildConfiguration = simulatorBuildOutput.childDirectory(
'$xcodeBuildConfiguration-iphonesimulator',
);
for (final Directory builtProduct in iPhoneBuildConfiguration.listSync(followLinks: false).whereType<Directory>()) { final Iterable<Directory> products = iPhoneBuildConfiguration
.listSync(followLinks: false)
.whereType<Directory>();
for (final Directory builtProduct in products) {
for (final FileSystemEntity podProduct in builtProduct.listSync(followLinks: false)) { for (final FileSystemEntity podProduct in builtProduct.listSync(followLinks: false)) {
final String podFrameworkName = podProduct.basename; final String podFrameworkName = podProduct.basename;
if (globals.fs.path.extension(podFrameworkName) == '.framework') { if (globals.fs.path.extension(podFrameworkName) != '.framework') {
final String binaryName = globals.fs.path.basenameWithoutExtension(podFrameworkName); continue;
if (boolArg('universal')) { }
copyDirectorySync(podProduct as Directory, modeDirectory.childDirectory(podFrameworkName)); final String binaryName = globals.fs.path.basenameWithoutExtension(podFrameworkName);
final List<String> lipoCommand = <String>[ if (boolArg('universal')) {
'xcrun', fsUtils.copyDirectorySync(
'lipo', podProduct as Directory,
'-create', modeDirectory.childDirectory(podFrameworkName),
globals.fs.path.join(podProduct.path, binaryName), );
if (mode == BuildMode.debug) final List<String> lipoCommand = <String>[
simulatorBuildConfiguration.childDirectory(binaryName).childDirectory(podFrameworkName).childFile(binaryName).path, 'xcrun',
'-output', 'lipo',
modeDirectory.childDirectory(podFrameworkName).childFile(binaryName).path '-create',
]; globals.fs.path.join(podProduct.path, binaryName),
if (mode == BuildMode.debug)
final RunResult pluginsLipoResult = processUtils.runSync( simulatorBuildConfiguration
lipoCommand, .childDirectory(binaryName)
workingDirectory: outputDirectory.path, .childDirectory(podFrameworkName)
allowReentrantFlutter: false, .childFile(binaryName)
.path,
'-output',
modeDirectory.childDirectory(podFrameworkName).childFile(binaryName).path
];
final RunResult pluginsLipoResult = processUtils.runSync(
lipoCommand,
workingDirectory: outputDirectory.path,
allowReentrantFlutter: false,
);
if (pluginsLipoResult.exitCode != 0) {
throwToolExit(
'Unable to create universal $binaryName.framework: ${buildPluginsResult.stderr}',
); );
if (pluginsLipoResult.exitCode != 0) {
throwToolExit('Unable to create universal $binaryName.framework: ${buildPluginsResult.stderr}');
}
} }
}
if (boolArg('xcframework')) { if (boolArg('xcframework')) {
final List<String> xcframeworkCommand = <String>[ final List<String> xcframeworkCommand = <String>[
'xcrun', 'xcrun',
'xcodebuild', 'xcodebuild',
'-create-xcframework', '-create-xcframework',
'-framework',
podProduct.path,
if (mode == BuildMode.debug)
'-framework', '-framework',
podProduct.path, if (mode == BuildMode.debug)
if (mode == BuildMode.debug) simulatorBuildConfiguration
'-framework', .childDirectory(binaryName)
if (mode == BuildMode.debug) .childDirectory(podFrameworkName)
simulatorBuildConfiguration.childDirectory(binaryName).childDirectory(podFrameworkName).path, .path,
'-output', '-output',
modeDirectory.childFile('$binaryName.xcframework').path modeDirectory.childFile('$binaryName.xcframework').path
]; ];
final RunResult xcframeworkResult = processUtils.runSync( final RunResult xcframeworkResult = processUtils.runSync(
xcframeworkCommand, xcframeworkCommand,
workingDirectory: outputDirectory.path, workingDirectory: outputDirectory.path,
allowReentrantFlutter: false, allowReentrantFlutter: false,
);
if (xcframeworkResult.exitCode != 0) {
throwToolExit(
'Unable to create $binaryName.xcframework: ${xcframeworkResult.stderr}',
); );
if (xcframeworkResult.exitCode != 0) {
throwToolExit('Unable to create $binaryName.xcframework: ${xcframeworkResult.stderr}');
}
} }
} }
} }
...@@ -536,7 +590,10 @@ end ...@@ -536,7 +590,10 @@ end
final String frameworkBinaryName = globals.fs.path.basenameWithoutExtension( final String frameworkBinaryName = globals.fs.path.basenameWithoutExtension(
fatFramework.basename); fatFramework.basename);
final Status status = globals.logger.startProgress(' ├─Creating $frameworkBinaryName.xcframework...', timeout: timeoutConfiguration.fastOperation); final Status status = globals.logger.startProgress(
' ├─Creating $frameworkBinaryName.xcframework...',
timeout: timeoutConfiguration.fastOperation,
);
try { try {
if (mode == BuildMode.debug) { if (mode == BuildMode.debug) {
_produceDebugXCFramework(fatFramework, frameworkBinaryName); _produceDebugXCFramework(fatFramework, frameworkBinaryName);
...@@ -556,22 +613,24 @@ end ...@@ -556,22 +613,24 @@ end
void _produceDebugXCFramework(Directory fatFramework, String frameworkBinaryName) { void _produceDebugXCFramework(Directory fatFramework, String frameworkBinaryName) {
final String frameworkFileName = fatFramework.basename; final String frameworkFileName = fatFramework.basename;
final File fatFlutterFrameworkBinary = fatFramework.childFile( final File fatFlutterFrameworkBinary = fatFramework.childFile(
frameworkBinaryName); frameworkBinaryName,
);
final Directory temporaryOutput = globals.fs.systemTempDirectory.createTempSync( final Directory temporaryOutput = globals.fs.systemTempDirectory.createTempSync(
'flutter_tool_build_ios_framework.'); 'flutter_tool_build_ios_framework.',
);
try { try {
// Copy universal framework to variant directory. // Copy universal framework to variant directory.
final Directory iPhoneBuildOutput = temporaryOutput.childDirectory( final Directory iPhoneBuildOutput = temporaryOutput.childDirectory(
'ios') 'ios',
..createSync(recursive: true); )..createSync(recursive: true);
final Directory simulatorBuildOutput = temporaryOutput.childDirectory( final Directory simulatorBuildOutput = temporaryOutput.childDirectory(
'simulator') 'simulator',
..createSync(recursive: true); )..createSync(recursive: true);
final Directory armFlutterFrameworkDirectory = iPhoneBuildOutput final Directory armFlutterFrameworkDirectory = iPhoneBuildOutput
.childDirectory(frameworkFileName); .childDirectory(frameworkFileName);
final File armFlutterFrameworkBinary = armFlutterFrameworkDirectory final File armFlutterFrameworkBinary = armFlutterFrameworkDirectory
.childFile(frameworkBinaryName); .childFile(frameworkBinaryName);
copyDirectorySync(fatFramework, armFlutterFrameworkDirectory); fsUtils.copyDirectorySync(fatFramework, armFlutterFrameworkDirectory);
// Create iOS framework. // Create iOS framework.
List<String> lipoCommand = <String>[ List<String> lipoCommand = <String>[
...@@ -595,10 +654,10 @@ end ...@@ -595,10 +654,10 @@ end
// Create simulator framework. // Create simulator framework.
final Directory simulatorFlutterFrameworkDirectory = simulatorBuildOutput final Directory simulatorFlutterFrameworkDirectory = simulatorBuildOutput
.childDirectory(frameworkFileName); .childDirectory(frameworkFileName);
final File simulatorFlutterFrameworkBinary = simulatorFlutterFrameworkDirectory final File simulatorFlutterFrameworkBinary = simulatorFlutterFrameworkDirectory
.childFile(frameworkBinaryName); .childFile(frameworkBinaryName);
copyDirectorySync(fatFramework, simulatorFlutterFrameworkDirectory); fsUtils.copyDirectorySync(fatFramework, simulatorFlutterFrameworkDirectory);
lipoCommand = <String>[ lipoCommand = <String>[
'xcrun', 'xcrun',
...@@ -639,14 +698,19 @@ end ...@@ -639,14 +698,19 @@ end
if (xcframeworkResult.exitCode != 0) { if (xcframeworkResult.exitCode != 0) {
throwToolExit( throwToolExit(
'Unable to create XCFramework: ${xcframeworkResult.stderr}'); 'Unable to create XCFramework: ${xcframeworkResult.stderr}',
);
} }
} finally { } finally {
temporaryOutput.deleteSync(recursive: true); temporaryOutput.deleteSync(recursive: true);
} }
} }
void _produceNonDebugXCFramework(BuildMode mode, Directory fatFramework, String frameworkBinaryName) { void _produceNonDebugXCFramework(
BuildMode mode,
Directory fatFramework,
String frameworkBinaryName,
) {
// Simulator is only supported in Debug mode. // Simulator is only supported in Debug mode.
// "Fat" framework here must only contain arm. // "Fat" framework here must only contain arm.
final List<String> xcframeworkCommand = <String>[ final List<String> xcframeworkCommand = <String>[
......
...@@ -650,7 +650,7 @@ To edit platform code in an IDE see https://flutter.dev/developing-packages/#edi ...@@ -650,7 +650,7 @@ To edit platform code in an IDE see https://flutter.dev/developing-packages/#edi
int _injectGradleWrapper(FlutterProject project) { int _injectGradleWrapper(FlutterProject project) {
int filesCreated = 0; int filesCreated = 0;
copyDirectorySync( fsUtils.copyDirectorySync(
globals.cache.getArtifactDirectory('gradle_wrapper'), globals.cache.getArtifactDirectory('gradle_wrapper'),
project.android.hostAppGradleRoot, project.android.hostAppGradleRoot,
onFileCopied: (File sourceFile, File destinationFile) { onFileCopied: (File sourceFile, File destinationFile) {
......
...@@ -8,6 +8,7 @@ import 'package:args/command_runner.dart'; ...@@ -8,6 +8,7 @@ import 'package:args/command_runner.dart';
import '../base/common.dart'; import '../base/common.dart';
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/io.dart';
import '../base/time.dart'; import '../base/time.dart';
import '../base/utils.dart'; import '../base/utils.dart';
import '../build_info.dart'; import '../build_info.dart';
......
...@@ -6,7 +6,6 @@ import 'dart:async'; ...@@ -6,7 +6,6 @@ import 'dart:async';
import '../base/common.dart'; import '../base/common.dart';
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/utils.dart';
import '../convert.dart'; import '../convert.dart';
import '../device.dart'; import '../device.dart';
import '../globals.dart' as globals; import '../globals.dart' as globals;
...@@ -110,7 +109,11 @@ class ScreenshotCommand extends FlutterCommand { ...@@ -110,7 +109,11 @@ class ScreenshotCommand extends FlutterCommand {
} }
Future<void> runScreenshot(File outputFile) async { Future<void> runScreenshot(File outputFile) async {
outputFile ??= getUniqueFile(globals.fs.currentDirectory, 'flutter', 'png'); outputFile ??= fsUtils.getUniqueFile(
globals.fs.currentDirectory,
'flutter',
'png',
);
try { try {
await device.takeScreenshot(outputFile); await device.takeScreenshot(outputFile);
} catch (error) { } catch (error) {
...@@ -121,7 +124,11 @@ class ScreenshotCommand extends FlutterCommand { ...@@ -121,7 +124,11 @@ class ScreenshotCommand extends FlutterCommand {
Future<void> runSkia(File outputFile) async { Future<void> runSkia(File outputFile) async {
final Map<String, dynamic> skp = await _invokeVmServiceRpc('_flutter.screenshotSkp'); final Map<String, dynamic> skp = await _invokeVmServiceRpc('_flutter.screenshotSkp');
outputFile ??= getUniqueFile(globals.fs.currentDirectory, 'flutter', 'skp'); outputFile ??= fsUtils.getUniqueFile(
globals.fs.currentDirectory,
'flutter',
'skp',
);
final IOSink sink = outputFile.openWrite(); final IOSink sink = outputFile.openWrite();
sink.add(base64.decode(skp['skp'] as String)); sink.add(base64.decode(skp['skp'] as String));
await sink.close(); await sink.close();
...@@ -131,7 +138,11 @@ class ScreenshotCommand extends FlutterCommand { ...@@ -131,7 +138,11 @@ class ScreenshotCommand extends FlutterCommand {
Future<void> runRasterizer(File outputFile) async { Future<void> runRasterizer(File outputFile) async {
final Map<String, dynamic> response = await _invokeVmServiceRpc('_flutter.screenshot'); final Map<String, dynamic> response = await _invokeVmServiceRpc('_flutter.screenshot');
outputFile ??= getUniqueFile(globals.fs.currentDirectory, 'flutter', 'png'); outputFile ??= fsUtils.getUniqueFile(
globals.fs.currentDirectory,
'flutter',
'png',
);
final IOSink sink = outputFile.openWrite(); final IOSink sink = outputFile.openWrite();
sink.add(base64.decode(response['screenshot'] as String)); sink.add(base64.decode(response['screenshot'] as String));
await sink.close(); await sink.close();
......
...@@ -189,7 +189,7 @@ class ArtifactUnpacker { ...@@ -189,7 +189,7 @@ class ArtifactUnpacker {
final String sourcePath = globals.fs.path.join(sourceDirectory, entityName); final String sourcePath = globals.fs.path.join(sourceDirectory, entityName);
final String targetPath = globals.fs.path.join(targetDirectory, entityName); final String targetPath = globals.fs.path.join(targetDirectory, entityName);
if (entityName.endsWith('/')) { if (entityName.endsWith('/')) {
copyDirectorySync( fsUtils.copyDirectorySync(
globals.fs.directory(sourcePath), globals.fs.directory(sourcePath),
globals.fs.directory(targetPath), globals.fs.directory(targetPath),
); );
......
...@@ -551,7 +551,10 @@ Future<XcodeBuildResult> buildXcodeProject({ ...@@ -551,7 +551,10 @@ Future<XcodeBuildResult> buildXcodeProject({
// (for example, kernel binary files produced from previous run). // (for example, kernel binary files produced from previous run).
globals.fs.directory(outputDir).deleteSync(recursive: true); globals.fs.directory(outputDir).deleteSync(recursive: true);
} }
copyDirectorySync(globals.fs.directory(expectedOutputDirectory), globals.fs.directory(outputDir)); fsUtils.copyDirectorySync(
globals.fs.directory(expectedOutputDirectory),
globals.fs.directory(outputDir),
);
} else { } else {
globals.printError('Build succeeded but the expected app at $expectedOutputDirectory not found'); globals.printError('Build succeeded but the expected app at $expectedOutputDirectory not found');
} }
......
...@@ -25,7 +25,10 @@ abstract class PersistentToolState { ...@@ -25,7 +25,10 @@ abstract class PersistentToolState {
class _DefaultPersistentToolState implements PersistentToolState { class _DefaultPersistentToolState implements PersistentToolState {
_DefaultPersistentToolState([File configFile]) : _DefaultPersistentToolState([File configFile]) :
_config = Config(configFile ?? globals.fs.file(globals.fs.path.join(userHomePath(), _kFileName))); _config = Config(configFile ?? globals.fs.file(globals.fs.path.join(
fsUtils.userHomePath,
_kFileName,
)));
static const String _kFileName = '.flutter_tool_state'; static const String _kFileName = '.flutter_tool_state';
static const String _kRedisplayWelcomeMessage = 'redisplay-welcome-message'; static const String _kRedisplayWelcomeMessage = 'redisplay-welcome-message';
......
...@@ -325,7 +325,7 @@ bool _writeFlutterPluginsList(FlutterProject project, List<Plugin> plugins) { ...@@ -325,7 +325,7 @@ bool _writeFlutterPluginsList(FlutterProject project, List<Plugin> plugins) {
pluginNames.add(plugin.name); pluginNames.add(plugin.name);
} }
for (final Plugin plugin in plugins) { for (final Plugin plugin in plugins) {
flutterPluginsBuffer.write('${plugin.name}=${escapePath(plugin.path)}\n'); flutterPluginsBuffer.write('${plugin.name}=${fsUtils.escapePath(plugin.path)}\n');
directAppDependencies.add(<String, dynamic>{ directAppDependencies.add(<String, dynamic>{
'name': plugin.name, 'name': plugin.name,
// Extract the plugin dependencies which happen to be plugins. // Extract the plugin dependencies which happen to be plugins.
......
...@@ -467,7 +467,10 @@ class IosProject implements XcodeBasedProject { ...@@ -467,7 +467,10 @@ class IosProject implements XcodeBasedProject {
if (!isModule) { if (!isModule) {
return; return;
} }
final bool pubspecChanged = isOlderThanReference(entity: ephemeralDirectory, referenceFile: parent.pubspecFile); final bool pubspecChanged = fsUtils.isOlderThanReference(
entity: ephemeralDirectory,
referenceFile: parent.pubspecFile,
);
final bool toolingChanged = globals.cache.isOlderThanToolsStamp(ephemeralDirectory); final bool toolingChanged = globals.cache.isOlderThanToolsStamp(ephemeralDirectory);
if (!pubspecChanged && !toolingChanged) { if (!pubspecChanged && !toolingChanged) {
return; return;
...@@ -478,22 +481,37 @@ class IosProject implements XcodeBasedProject { ...@@ -478,22 +481,37 @@ class IosProject implements XcodeBasedProject {
.childDirectory('engine'); .childDirectory('engine');
_deleteIfExistsSync(ephemeralDirectory); _deleteIfExistsSync(ephemeralDirectory);
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'library'), ephemeralDirectory); _overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'library'),
ephemeralDirectory,
);
// Add ephemeral host app, if a editable host app does not already exist. // Add ephemeral host app, if a editable host app does not already exist.
if (!_editableDirectory.existsSync()) { if (!_editableDirectory.existsSync()) {
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'host_app_ephemeral'), ephemeralDirectory); _overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'host_app_ephemeral'),
ephemeralDirectory,
);
if (hasPlugins(parent)) { if (hasPlugins(parent)) {
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'host_app_ephemeral_cocoapods'), ephemeralDirectory); _overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'host_app_ephemeral_cocoapods'),
ephemeralDirectory,
);
} }
// Copy podspec and framework from engine cache. The actual build mode // Copy podspec and framework from engine cache. The actual build mode
// doesn't actually matter as it will be overwritten by xcode_backend.sh. // doesn't actually matter as it will be overwritten by xcode_backend.sh.
// However, cocoapods will run before that script and requires something // However, cocoapods will run before that script and requires something
// to be in this location. // to be in this location.
final Directory framework = globals.fs.directory(globals.artifacts.getArtifactPath(Artifact.flutterFramework, final Directory framework = globals.fs.directory(
platform: TargetPlatform.ios, mode: BuildMode.debug)); globals.artifacts.getArtifactPath(Artifact.flutterFramework,
platform: TargetPlatform.ios,
mode: BuildMode.debug,
));
if (framework.existsSync()) { if (framework.existsSync()) {
final File podspec = framework.parent.childFile('Flutter.podspec'); final File podspec = framework.parent.childFile('Flutter.podspec');
copyDirectorySync(framework, engineDest.childDirectory('Flutter.framework')); fsUtils.copyDirectorySync(
framework,
engineDest.childDirectory('Flutter.framework'),
);
podspec.copySync(engineDest.childFile('Flutter.podspec').path); podspec.copySync(engineDest.childFile('Flutter.podspec').path);
} }
} }
...@@ -505,20 +523,36 @@ class IosProject implements XcodeBasedProject { ...@@ -505,20 +523,36 @@ class IosProject implements XcodeBasedProject {
throwToolExit('iOS host app is already editable. To start fresh, delete the ios/ folder.'); throwToolExit('iOS host app is already editable. To start fresh, delete the ios/ folder.');
} }
_deleteIfExistsSync(ephemeralDirectory); _deleteIfExistsSync(ephemeralDirectory);
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'library'), ephemeralDirectory); _overwriteFromTemplate(
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'host_app_ephemeral'), _editableDirectory); globals.fs.path.join('module', 'ios', 'library'),
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'host_app_ephemeral_cocoapods'), _editableDirectory); ephemeralDirectory,
_overwriteFromTemplate(globals.fs.path.join('module', 'ios', 'host_app_editable_cocoapods'), _editableDirectory); );
_overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'host_app_ephemeral'),
_editableDirectory,
);
_overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'host_app_ephemeral_cocoapods'),
_editableDirectory,
);
_overwriteFromTemplate(
globals.fs.path.join('module', 'ios', 'host_app_editable_cocoapods'),
_editableDirectory,
);
await _updateGeneratedXcodeConfigIfNeeded(); await _updateGeneratedXcodeConfigIfNeeded();
await injectPlugins(parent); await injectPlugins(parent);
} }
@override @override
File get generatedXcodePropertiesFile => _flutterLibRoot.childDirectory('Flutter').childFile('Generated.xcconfig'); File get generatedXcodePropertiesFile => _flutterLibRoot
.childDirectory('Flutter')
.childFile('Generated.xcconfig');
Directory get pluginRegistrantHost { Directory get pluginRegistrantHost {
return isModule return isModule
? _flutterLibRoot.childDirectory('Flutter').childDirectory('FlutterPluginRegistrant') ? _flutterLibRoot
.childDirectory('Flutter')
.childDirectory('FlutterPluginRegistrant')
: hostAppRoot.childDirectory(_hostAppBundleName); : hostAppRoot.childDirectory(_hostAppBundleName);
} }
...@@ -632,8 +666,10 @@ class AndroidProject { ...@@ -632,8 +666,10 @@ class AndroidProject {
} }
bool _shouldRegenerateFromTemplate() { bool _shouldRegenerateFromTemplate() {
return isOlderThanReference(entity: ephemeralDirectory, referenceFile: parent.pubspecFile) return fsUtils.isOlderThanReference(
|| globals.cache.isOlderThanToolsStamp(ephemeralDirectory); entity: ephemeralDirectory,
referenceFile: parent.pubspecFile,
) || globals.cache.isOlderThanToolsStamp(ephemeralDirectory);
} }
Future<void> makeHostAppEditable() async { Future<void> makeHostAppEditable() async {
......
...@@ -405,7 +405,10 @@ class FlutterDevice { ...@@ -405,7 +405,10 @@ class FlutterDevice {
}) async { }) async {
final bool prebuiltMode = hotRunner.applicationBinary != null; final bool prebuiltMode = hotRunner.applicationBinary != null;
final String modeName = hotRunner.debuggingOptions.buildInfo.friendlyModeName; final String modeName = hotRunner.debuggingOptions.buildInfo.friendlyModeName;
globals.printStatus('Launching ${getDisplayPath(hotRunner.mainPath)} on ${device.name} in $modeName mode...'); globals.printStatus(
'Launching ${fsUtils.getDisplayPath(hotRunner.mainPath)} '
'on ${device.name} in $modeName mode...',
);
final TargetPlatform targetPlatform = await device.targetPlatform; final TargetPlatform targetPlatform = await device.targetPlatform;
package = await ApplicationPackageFactory.instance.getPackageForPlatform( package = await ApplicationPackageFactory.instance.getPackageForPlatform(
...@@ -472,9 +475,15 @@ class FlutterDevice { ...@@ -472,9 +475,15 @@ class FlutterDevice {
final bool prebuiltMode = coldRunner.applicationBinary != null; final bool prebuiltMode = coldRunner.applicationBinary != null;
if (coldRunner.mainPath == null) { if (coldRunner.mainPath == null) {
assert(prebuiltMode); assert(prebuiltMode);
globals.printStatus('Launching ${package.displayName} on ${device.name} in $modeName mode...'); globals.printStatus(
'Launching ${package.displayName} '
'on ${device.name} in $modeName mode...',
);
} else { } else {
globals.printStatus('Launching ${getDisplayPath(coldRunner.mainPath)} on ${device.name} in $modeName mode...'); globals.printStatus(
'Launching ${fsUtils.getDisplayPath(coldRunner.mainPath)} '
'on ${device.name} in $modeName mode...',
);
} }
if (package == null) { if (package == null) {
...@@ -849,8 +858,15 @@ abstract class ResidentRunner { ...@@ -849,8 +858,15 @@ abstract class ResidentRunner {
Future<void> screenshot(FlutterDevice device) async { Future<void> screenshot(FlutterDevice device) async {
assert(device.device.supportsScreenshot); assert(device.device.supportsScreenshot);
final Status status = globals.logger.startProgress('Taking screenshot for ${device.device.name}...', timeout: timeoutConfiguration.fastOperation); final Status status = globals.logger.startProgress(
final File outputFile = getUniqueFile(globals.fs.currentDirectory, 'flutter', 'png'); 'Taking screenshot for ${device.device.name}...',
timeout: timeoutConfiguration.fastOperation,
);
final File outputFile = fsUtils.getUniqueFile(
globals.fs.currentDirectory,
'flutter',
'png',
);
try { try {
if (supportsServiceProtocol && isRunningDebug) { if (supportsServiceProtocol && isRunningDebug) {
await device.refreshViews(); await device.refreshViews();
...@@ -881,7 +897,9 @@ abstract class ResidentRunner { ...@@ -881,7 +897,9 @@ abstract class ResidentRunner {
} }
final int sizeKB = outputFile.lengthSync() ~/ 1024; final int sizeKB = outputFile.lengthSync() ~/ 1024;
status.stop(); status.stop();
globals.printStatus('Screenshot written to ${globals.fs.path.relative(outputFile.path)} (${sizeKB}kB).'); globals.printStatus(
'Screenshot written to ${globals.fs.path.relative(outputFile.path)} (${sizeKB}kB).',
);
} catch (error) { } catch (error) {
status.cancel(); status.cancel();
globals.printError('Error taking screenshot: $error'); globals.printError('Error taking screenshot: $error');
......
...@@ -160,7 +160,7 @@ class TestCompiler { ...@@ -160,7 +160,7 @@ class TestCompiler {
// The idea is to keep the cache file up-to-date and include as // The idea is to keep the cache file up-to-date and include as
// much as possible in an effort to re-use as many packages as // much as possible in an effort to re-use as many packages as
// possible. // possible.
ensureDirectoryExists(testFilePath); fsUtils.ensureDirectoryExists(testFilePath);
await outputFile.copy(testFilePath); await outputFile.copy(testFilePath);
} }
request.result.complete(kernelReadyToRun.path); request.result.complete(kernelReadyToRun.path);
......
...@@ -4,41 +4,41 @@ ...@@ -4,41 +4,41 @@
import 'package:file/memory.dart'; import 'package:file/memory.dart';
import 'package:flutter_tools/src/base/file_system.dart'; import 'package:flutter_tools/src/base/file_system.dart';
import 'package:flutter_tools/src/globals.dart' as globals; import 'package:mockito/mockito.dart';
import 'package:platform/platform.dart'; import 'package:platform/platform.dart';
import '../../src/common.dart'; import '../../src/common.dart';
import '../../src/context.dart';
class MockPlatform extends Mock implements Platform {}
void main() { void main() {
group('ensureDirectoryExists', () { group('ensureDirectoryExists', () {
MemoryFileSystem fs; MemoryFileSystem fs;
FileSystemUtils fsUtils;
setUp(() { setUp(() {
fs = MemoryFileSystem(); fs = MemoryFileSystem();
fsUtils = FileSystemUtils(
fileSystem: fs,
platform: MockPlatform(),
);
}); });
testUsingContext('recursively creates a directory if it does not exist', () async { testWithoutContext('recursively creates a directory if it does not exist', () async {
ensureDirectoryExists('foo/bar/baz.flx'); fsUtils.ensureDirectoryExists('foo/bar/baz.flx');
expect(fs.isDirectorySync('foo/bar'), true); expect(fs.isDirectorySync('foo/bar'), true);
}, overrides: <Type, Generator>{
FileSystem: () => fs,
ProcessManager: () => FakeProcessManager.any(),
}); });
testUsingContext('throws tool exit on failure to create', () async { testWithoutContext('throws tool exit on failure to create', () async {
fs.file('foo').createSync(); fs.file('foo').createSync();
expect(() => ensureDirectoryExists('foo/bar.flx'), throwsToolExit()); expect(() => fsUtils.ensureDirectoryExists('foo/bar.flx'), throwsToolExit());
}, overrides: <Type, Generator>{
FileSystem: () => fs,
ProcessManager: () => FakeProcessManager.any(),
}); });
}); });
group('copyDirectorySync', () { group('copyDirectorySync', () {
/// Test file_systems.copyDirectorySync() using MemoryFileSystem. /// Test file_systems.copyDirectorySync() using MemoryFileSystem.
/// Copies between 2 instances of file systems which is also supported by copyDirectorySync(). /// Copies between 2 instances of file systems which is also supported by copyDirectorySync().
test('test directory copy', () async { testWithoutContext('test directory copy', () async {
final MemoryFileSystem sourceMemoryFs = MemoryFileSystem(); final MemoryFileSystem sourceMemoryFs = MemoryFileSystem();
const String sourcePath = '/some/origin'; const String sourcePath = '/some/origin';
final Directory sourceDirectory = await sourceMemoryFs.directory(sourcePath).create(recursive: true); final Directory sourceDirectory = await sourceMemoryFs.directory(sourcePath).create(recursive: true);
...@@ -52,7 +52,12 @@ void main() { ...@@ -52,7 +52,12 @@ void main() {
final MemoryFileSystem targetMemoryFs = MemoryFileSystem(); final MemoryFileSystem targetMemoryFs = MemoryFileSystem();
const String targetPath = '/some/non-existent/target'; const String targetPath = '/some/non-existent/target';
final Directory targetDirectory = targetMemoryFs.directory(targetPath); final Directory targetDirectory = targetMemoryFs.directory(targetPath);
copyDirectorySync(sourceDirectory, targetDirectory);
final FileSystemUtils fsUtils = FileSystemUtils(
fileSystem: sourceMemoryFs,
platform: MockPlatform(),
);
fsUtils.copyDirectorySync(sourceDirectory, targetDirectory);
expect(targetDirectory.existsSync(), true); expect(targetDirectory.existsSync(), true);
targetMemoryFs.currentDirectory = targetPath; targetMemoryFs.currentDirectory = targetPath;
...@@ -66,16 +71,21 @@ void main() { ...@@ -66,16 +71,21 @@ void main() {
expect(sourceMemoryFs.directory(sourcePath).listSync().length, 3); expect(sourceMemoryFs.directory(sourcePath).listSync().length, 3);
}); });
testUsingContext('Skip files if shouldCopyFile returns false', () { testWithoutContext('Skip files if shouldCopyFile returns false', () {
final Directory origin = globals.fs.directory('/origin'); final MemoryFileSystem fileSystem = MemoryFileSystem();
final FileSystemUtils fsUtils = FileSystemUtils(
fileSystem: fileSystem,
platform: MockPlatform(),
);
final Directory origin = fileSystem.directory('/origin');
origin.createSync(); origin.createSync();
globals.fs.file(globals.fs.path.join('origin', 'a.txt')).writeAsStringSync('irrelevant'); fileSystem.file(fileSystem.path.join('origin', 'a.txt')).writeAsStringSync('irrelevant');
globals.fs.directory('/origin/nested').createSync(); fileSystem.directory('/origin/nested').createSync();
globals.fs.file(globals.fs.path.join('origin', 'nested', 'a.txt')).writeAsStringSync('irrelevant'); fileSystem.file(fileSystem.path.join('origin', 'nested', 'a.txt')).writeAsStringSync('irrelevant');
globals.fs.file(globals.fs.path.join('origin', 'nested', 'b.txt')).writeAsStringSync('irrelevant'); fileSystem.file(fileSystem.path.join('origin', 'nested', 'b.txt')).writeAsStringSync('irrelevant');
final Directory destination = globals.fs.directory('/destination'); final Directory destination = fileSystem.directory('/destination');
copyDirectorySync(origin, destination, shouldCopyFile: (File origin, File dest) { fsUtils.copyDirectorySync(origin, destination, shouldCopyFile: (File origin, File dest) {
return origin.basename == 'b.txt'; return origin.basename == 'b.txt';
}); });
...@@ -85,53 +95,30 @@ void main() { ...@@ -85,53 +95,30 @@ void main() {
expect(destination.childFile('a.txt').existsSync(), isFalse); expect(destination.childFile('a.txt').existsSync(), isFalse);
expect(destination.childDirectory('nested').childFile('a.txt').existsSync(), isFalse); expect(destination.childDirectory('nested').childFile('a.txt').existsSync(), isFalse);
}, overrides: <Type, Generator>{
FileSystem: () => MemoryFileSystem(),
ProcessManager: () => FakeProcessManager.any(),
}); });
}); });
group('canonicalizePath', () {
test('does not lowercase on Windows', () {
String path = 'C:\\Foo\\bAr\\cOOL.dart';
expect(canonicalizePath(path), path);
// globals.fs.path.canonicalize does lowercase on Windows
expect(globals.fs.path.canonicalize(path), isNot(path));
path = '..\\bar\\.\\\\Foo';
final String expected = globals.fs.path.join(globals.fs.currentDirectory.parent.absolute.path, 'bar', 'Foo');
expect(canonicalizePath(path), expected);
// globals.fs.path.canonicalize should return the same result (modulo casing)
expect(globals.fs.path.canonicalize(path), expected.toLowerCase());
}, testOn: 'windows');
test('does not lowercase on posix', () {
String path = '/Foo/bAr/cOOL.dart';
expect(canonicalizePath(path), path);
// globals.fs.path.canonicalize and canonicalizePath should be the same on Posix
expect(globals.fs.path.canonicalize(path), path);
path = '../bar/.//Foo';
final String expected = globals.fs.path.join(globals.fs.currentDirectory.parent.absolute.path, 'bar', 'Foo');
expect(canonicalizePath(path), expected);
}, testOn: 'posix');
});
group('escapePath', () { group('escapePath', () {
testUsingContext('on Windows', () { testWithoutContext('on Windows', () {
expect(escapePath('C:\\foo\\bar\\cool.dart'), 'C:\\\\foo\\\\bar\\\\cool.dart'); final MemoryFileSystem fileSystem = MemoryFileSystem();
expect(escapePath('foo\\bar\\cool.dart'), 'foo\\\\bar\\\\cool.dart'); final FileSystemUtils fsUtils = FileSystemUtils(
expect(escapePath('C:/foo/bar/cool.dart'), 'C:/foo/bar/cool.dart'); fileSystem: fileSystem,
}, overrides: <Type, Generator>{ platform: FakePlatform(operatingSystem: 'windows'),
Platform: () => FakePlatform(operatingSystem: 'windows'), );
expect(fsUtils.escapePath('C:\\foo\\bar\\cool.dart'), 'C:\\\\foo\\\\bar\\\\cool.dart');
expect(fsUtils.escapePath('foo\\bar\\cool.dart'), 'foo\\\\bar\\\\cool.dart');
expect(fsUtils.escapePath('C:/foo/bar/cool.dart'), 'C:/foo/bar/cool.dart');
}); });
testUsingContext('on Linux', () { testWithoutContext('on Linux', () {
expect(escapePath('/foo/bar/cool.dart'), '/foo/bar/cool.dart'); final MemoryFileSystem fileSystem = MemoryFileSystem();
expect(escapePath('foo/bar/cool.dart'), 'foo/bar/cool.dart'); final FileSystemUtils fsUtils = FileSystemUtils(
expect(escapePath('foo\\cool.dart'), 'foo\\cool.dart'); fileSystem: fileSystem,
}, overrides: <Type, Generator>{ platform: FakePlatform(operatingSystem: 'linux'),
Platform: () => FakePlatform(operatingSystem: 'linux'), );
expect(fsUtils.escapePath('/foo/bar/cool.dart'), '/foo/bar/cool.dart');
expect(fsUtils.escapePath('foo/bar/cool.dart'), 'foo/bar/cool.dart');
expect(fsUtils.escapePath('foo\\cool.dart'), 'foo\\cool.dart');
}); });
}); });
} }
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