Unverified Commit 2d81adf7 authored by Greg Spencer's avatar Greg Spencer Committed by GitHub

Revert "Turn on line wrapping in usage and status messages, adds ANSI color to...

Revert "Turn on line wrapping in usage and status messages, adds ANSI color to doctor and analysis messages. (#22656)" (#22759)

This reverts commit e4386321
because it breaks 160 benchmarks, and several devicelab tests,
due to changing the format of the output.
parent e4386321
...@@ -223,7 +223,7 @@ linter: ...@@ -223,7 +223,7 @@ linter:
print('Found $sampleCodeSections sample code sections.'); print('Found $sampleCodeSections sample code sections.');
final Process process = await Process.start( final Process process = await Process.start(
_flutter, _flutter,
<String>['--no-wrap', 'analyze', '--no-preamble', '--no-congratulate', mainDart.parent.path], <String>['analyze', '--no-preamble', '--no-congratulate', mainDart.parent.path],
workingDirectory: tempDir.path, workingDirectory: tempDir.path,
); );
final List<String> errors = <String>[]; final List<String> errors = <String>[];
......
...@@ -80,7 +80,7 @@ class NoAndroidStudioValidator extends DoctorValidator { ...@@ -80,7 +80,7 @@ class NoAndroidStudioValidator extends DoctorValidator {
'Android Studio not found; download from https://developer.android.com/studio/index.html\n' 'Android Studio not found; download from https://developer.android.com/studio/index.html\n'
'(or visit https://flutter.io/setup/#android-setup for detailed instructions).')); '(or visit https://flutter.io/setup/#android-setup for detailed instructions).'));
return ValidationResult(ValidationType.notAvailable, messages, return ValidationResult(ValidationType.missing, messages,
statusInfo: 'not installed'); statusInfo: 'not installed');
} }
} }
...@@ -3,6 +3,7 @@ ...@@ -3,6 +3,7 @@
// found in the LICENSE file. // found in the LICENSE file.
import 'dart:async'; import 'dart:async';
import 'dart:convert' show LineSplitter;
import 'package:meta/meta.dart'; import 'package:meta/meta.dart';
...@@ -27,57 +28,26 @@ abstract class Logger { ...@@ -27,57 +28,26 @@ abstract class Logger {
bool get hasTerminal => stdio.hasTerminal; bool get hasTerminal => stdio.hasTerminal;
/// Display an error [message] to the user. Commands should use this if they /// Display an error level message to the user. Commands should use this if they
/// fail in some way. /// fail in some way.
///
/// The [message] argument is printed to the stderr in red by default.
/// The [stackTrace] argument is the stack trace that will be printed if
/// supplied.
/// The [emphasis] argument will cause the output message be printed in bold text.
/// The [color] argument will print the message in the supplied color instead
/// of the default of red. Colors will not be printed if the output terminal
/// doesn't support them.
/// The [indent] argument specifies the number of spaces to indent the overall
/// message. If wrapping is enabled in [outputPreferences], then the wrapped
/// lines will be indented as well.
/// If [hangingIndent] is specified, then any wrapped lines will be indented
/// by this much more than the first line, if wrapping is enabled in
/// [outputPreferences].
void printError( void printError(
String message, { String message, {
StackTrace stackTrace, StackTrace stackTrace,
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
int indent,
int hangingIndent,
}); });
/// Display normal output of the command. This should be used for things like /// Display normal output of the command. This should be used for things like
/// progress messages, success messages, or just normal command output. /// progress messages, success messages, or just normal command output.
/// ///
/// The [message] argument is printed to the stderr in red by default. /// If [newline] is null, then it defaults to "true". If [emphasis] is null,
/// The [stackTrace] argument is the stack trace that will be printed if /// then it defaults to "false".
/// supplied.
/// If the [emphasis] argument is true, it will cause the output message be
/// printed in bold text. Defaults to false.
/// The [color] argument will print the message in the supplied color instead
/// of the default of red. Colors will not be printed if the output terminal
/// doesn't support them.
/// If [newline] is true, then a newline will be added after printing the
/// status. Defaults to true.
/// The [indent] argument specifies the number of spaces to indent the overall
/// message. If wrapping is enabled in [outputPreferences], then the wrapped
/// lines will be indented as well.
/// If [hangingIndent] is specified, then any wrapped lines will be indented
/// by this much more than the first line, if wrapping is enabled in
/// [outputPreferences].
void printStatus( void printStatus(
String message, { String message, {
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
bool newline, bool newline,
int indent, int indent,
int hangingIndent,
}); });
/// Use this for verbose tracing output. Users can turn this output on in order /// Use this for verbose tracing output. Users can turn this output on in order
...@@ -112,11 +82,8 @@ class StdoutLogger extends Logger { ...@@ -112,11 +82,8 @@ class StdoutLogger extends Logger {
StackTrace stackTrace, StackTrace stackTrace,
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
int indent,
int hangingIndent,
}) { }) {
message ??= ''; message ??= '';
message = wrapText(message, indent: indent, hangingIndent: hangingIndent);
_status?.cancel(); _status?.cancel();
_status = null; _status = null;
if (emphasis == true) if (emphasis == true)
...@@ -135,16 +102,19 @@ class StdoutLogger extends Logger { ...@@ -135,16 +102,19 @@ class StdoutLogger extends Logger {
TerminalColor color, TerminalColor color,
bool newline, bool newline,
int indent, int indent,
int hangingIndent,
}) { }) {
message ??= ''; message ??= '';
message = wrapText(message, indent: indent, hangingIndent: hangingIndent);
_status?.cancel(); _status?.cancel();
_status = null; _status = null;
if (emphasis == true) if (emphasis == true)
message = terminal.bolden(message); message = terminal.bolden(message);
if (color != null) if (color != null)
message = terminal.color(message, color); message = terminal.color(message, color);
if (indent != null && indent > 0) {
message = LineSplitter.split(message)
.map<String>((String line) => ' ' * indent + line)
.join('\n');
}
if (newline != false) if (newline != false)
message = '$message\n'; message = '$message\n';
writeToStdOut(message); writeToStdOut(message);
...@@ -233,13 +203,8 @@ class BufferLogger extends Logger { ...@@ -233,13 +203,8 @@ class BufferLogger extends Logger {
StackTrace stackTrace, StackTrace stackTrace,
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
int indent,
int hangingIndent,
}) { }) {
_error.writeln(terminal.color( _error.writeln(terminal.color(message, color ?? TerminalColor.red));
wrapText(message, indent: indent, hangingIndent: hangingIndent),
color ?? TerminalColor.red,
));
} }
@override @override
...@@ -249,12 +214,11 @@ class BufferLogger extends Logger { ...@@ -249,12 +214,11 @@ class BufferLogger extends Logger {
TerminalColor color, TerminalColor color,
bool newline, bool newline,
int indent, int indent,
int hangingIndent,
}) { }) {
if (newline != false) if (newline != false)
_status.writeln(wrapText(message, indent: indent, hangingIndent: hangingIndent)); _status.writeln(message);
else else
_status.write(wrapText(message, indent: indent, hangingIndent: hangingIndent)); _status.write(message);
} }
@override @override
...@@ -298,14 +262,8 @@ class VerboseLogger extends Logger { ...@@ -298,14 +262,8 @@ class VerboseLogger extends Logger {
StackTrace stackTrace, StackTrace stackTrace,
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
int indent,
int hangingIndent,
}) { }) {
_emit( _emit(_LogType.error, message, stackTrace);
_LogType.error,
wrapText(message, indent: indent, hangingIndent: hangingIndent),
stackTrace,
);
} }
@override @override
...@@ -315,9 +273,8 @@ class VerboseLogger extends Logger { ...@@ -315,9 +273,8 @@ class VerboseLogger extends Logger {
TerminalColor color, TerminalColor color,
bool newline, bool newline,
int indent, int indent,
int hangingIndent,
}) { }) {
_emit(_LogType.status, wrapText(message, indent: indent, hangingIndent: hangingIndent)); _emit(_LogType.status, message);
} }
@override @override
......
...@@ -11,7 +11,6 @@ import '../globals.dart'; ...@@ -11,7 +11,6 @@ import '../globals.dart';
import 'context.dart'; import 'context.dart';
import 'io.dart' as io; import 'io.dart' as io;
import 'platform.dart'; import 'platform.dart';
import 'utils.dart';
final AnsiTerminal _kAnsiTerminal = AnsiTerminal(); final AnsiTerminal _kAnsiTerminal = AnsiTerminal();
...@@ -31,45 +30,6 @@ enum TerminalColor { ...@@ -31,45 +30,6 @@ enum TerminalColor {
grey, grey,
} }
final OutputPreferences _kOutputPreferences = OutputPreferences();
OutputPreferences get outputPreferences => (context == null || context[OutputPreferences] == null)
? _kOutputPreferences
: context[OutputPreferences];
/// A class that contains the context settings for command text output to the
/// console.
class OutputPreferences {
OutputPreferences({
bool wrapText,
int wrapColumn,
bool showColor,
}) : wrapText = wrapText ?? true,
wrapColumn = wrapColumn ?? const io.Stdio().terminalColumns ?? kDefaultTerminalColumns,
showColor = showColor ?? platform.stdoutSupportsAnsi ?? false;
/// If [wrapText] is true, then output text sent to the context's [Logger]
/// instance (e.g. from the [printError] or [printStatus] functions) will be
/// wrapped to be no longer than the [wrapColumn] specifies. Defaults to true.
final bool wrapText;
/// The column at which any output sent to the context's [Logger] instance
/// (e.g. from the [printError] or [printStatus] functions) will be wrapped.
/// Ignored if [wrapText] is false. Defaults to the width of the output
/// terminal, or to [kDefaultTerminalColumns] if not writing to a terminal.
final int wrapColumn;
/// Whether or not to output ANSI color codes when writing to the output
/// terminal. Defaults to whatever [platform.stdoutSupportsAnsi] says if
/// writing to a terminal, and false otherwise.
final bool showColor;
@override
String toString() {
return '$runtimeType[wrapText: $wrapText, wrapColumn: $wrapColumn, showColor: $showColor]';
}
}
class AnsiTerminal { class AnsiTerminal {
static const String bold = '\u001B[1m'; static const String bold = '\u001B[1m';
static const String reset = '\u001B[0m'; static const String reset = '\u001B[0m';
...@@ -102,16 +62,8 @@ class AnsiTerminal { ...@@ -102,16 +62,8 @@ class AnsiTerminal {
if (!supportsColor || message.isEmpty) if (!supportsColor || message.isEmpty)
return message; return message;
final StringBuffer buffer = StringBuffer(); final StringBuffer buffer = StringBuffer();
for (String line in message.split('\n')) { for (String line in message.split('\n'))
// If there were resets in the string before, then keep them, but
// restart the bold right after. This prevents embedded resets from
// stopping the boldness.
line = line.replaceAll(reset, '$reset$bold');
// Remove all codes at the end of the string, since we're just going
// to reset them, and they would either be redundant, or have no effect.
line = line.replaceAll(RegExp('(\u001b\[[0-9;]+m)+\$'), '');
buffer.writeln('$bold$line$reset'); buffer.writeln('$bold$line$reset');
}
final String result = buffer.toString(); final String result = buffer.toString();
// avoid introducing a new newline to the emboldened text // avoid introducing a new newline to the emboldened text
return (!message.endsWith('\n') && result.endsWith('\n')) return (!message.endsWith('\n') && result.endsWith('\n'))
...@@ -124,17 +76,8 @@ class AnsiTerminal { ...@@ -124,17 +76,8 @@ class AnsiTerminal {
if (!supportsColor || color == null || message.isEmpty) if (!supportsColor || color == null || message.isEmpty)
return message; return message;
final StringBuffer buffer = StringBuffer(); final StringBuffer buffer = StringBuffer();
final String colorCodes = _colorMap[color]; for (String line in message.split('\n'))
for (String line in message.split('\n')) { buffer.writeln('${_colorMap[color]}$line$reset');
// If there were resets in the string before, then keep them, but
// restart the color right after. This prevents embedded resets from
// stopping the colors.
line = line.replaceAll(reset, '$reset$colorCodes');
// Remove any extra codes at the end of the string, since we're just going
// to reset them.
line = line.replaceAll(RegExp('(\u001b\[[0-9;]*m)+\$'), '');
buffer.writeln('$colorCodes$line$reset');
}
final String result = buffer.toString(); final String result = buffer.toString();
// avoid introducing a new newline to the colored text // avoid introducing a new newline to the colored text
return (!message.endsWith('\n') && result.endsWith('\n')) return (!message.endsWith('\n') && result.endsWith('\n'))
......
...@@ -4,7 +4,7 @@ ...@@ -4,7 +4,7 @@
import 'dart:async'; import 'dart:async';
import 'dart:convert'; import 'dart:convert';
import 'dart:math' show Random, max; import 'dart:math' show Random;
import 'package:crypto/crypto.dart'; import 'package:crypto/crypto.dart';
import 'package:intl/intl.dart'; import 'package:intl/intl.dart';
...@@ -13,9 +13,7 @@ import 'package:quiver/time.dart'; ...@@ -13,9 +13,7 @@ import 'package:quiver/time.dart';
import '../globals.dart'; import '../globals.dart';
import 'context.dart'; import 'context.dart';
import 'file_system.dart'; import 'file_system.dart';
import 'io.dart' as io;
import 'platform.dart'; import 'platform.dart';
import 'terminal.dart';
const BotDetector _kBotDetector = BotDetector(); const BotDetector _kBotDetector = BotDetector();
...@@ -302,229 +300,3 @@ class Poller { ...@@ -302,229 +300,3 @@ class Poller {
Future<List<T>> waitGroup<T>(Iterable<Future<T>> futures) { Future<List<T>> waitGroup<T>(Iterable<Future<T>> futures) {
return Future.wait<T>(futures.where((Future<T> future) => future != null)); return Future.wait<T>(futures.where((Future<T> future) => future != null));
} }
/// The terminal width used by the [wrapText] function if there is no terminal
/// attached to [io.Stdio], --wrap is on, and --wrap-columns was not specified.
const int kDefaultTerminalColumns = 100;
/// Smallest column that will be used for text wrapping. If the requested column
/// width is smaller than this, then this is what will be used.
const int kMinColumnWidth = 10;
/// Wraps a block of text into lines no longer than [columnWidth].
///
/// Tries to split at whitespace, but if that's not good enough to keep it
/// under the limit, then it splits in the middle of a word.
///
/// Preserves indentation (leading whitespace) for each line (delimited by '\n')
/// in the input, and will indent wrapped lines that same amount, adding
/// [indent] spaces in addition to any existing indent.
///
/// If [hangingIndent] is supplied, then that many additional spaces will be
/// added to each line, except for the first line. The [hangingIndent] is added
/// to the specified [indent], if any. This is useful for wrapping
/// text with a heading prefix (e.g. "Usage: "):
///
/// ```dart
/// String prefix = "Usage: ";
/// print(prefix + wrapText(invocation, indent: 2, hangingIndent: prefix.length, columnWidth: 40));
/// ```
///
/// yields:
/// ```
/// Usage: app main_command <subcommand>
/// [arguments]
/// ```
///
/// If [columnWidth] is not specified, then the column width will be the
/// [outputPreferences.wrapColumn], which is set with the --wrap-column option.
///
/// If [outputPreferences.wrapText] is false, then the text will be returned
/// unchanged.
///
/// The [indent] and [hangingIndent] must be smaller than [columnWidth] when
/// added together.
String wrapText(String text, {int columnWidth, int hangingIndent, int indent}) {
if (text == null || text.isEmpty) {
return '';
}
indent ??= 0;
columnWidth ??= outputPreferences.wrapColumn;
columnWidth -= indent;
assert(columnWidth >= 0);
hangingIndent ??= 0;
final List<String> splitText = text.split('\n');
final List<String> result = <String>[];
for (String line in splitText) {
String trimmedText = line.trimLeft();
final String leadingWhitespace = line.substring(0, line.length - trimmedText.length);
List<String> notIndented;
if (hangingIndent != 0) {
// When we have a hanging indent, we want to wrap the first line at one
// width, and the rest at another (offset by hangingIndent), so we wrap
// them twice and recombine.
final List<String> firstLineWrap = _wrapTextAsLines(
trimmedText,
columnWidth: columnWidth - leadingWhitespace.length,
);
notIndented = <String>[firstLineWrap.removeAt(0)];
trimmedText = trimmedText.substring(notIndented[0].length).trimLeft();
if (firstLineWrap.isNotEmpty) {
notIndented.addAll(_wrapTextAsLines(
trimmedText,
columnWidth: columnWidth - leadingWhitespace.length - hangingIndent,
));
}
} else {
notIndented = _wrapTextAsLines(
trimmedText,
columnWidth: columnWidth - leadingWhitespace.length,
);
}
String hangingIndentString;
final String indentString = ' ' * indent;
result.addAll(notIndented.map(
(String line) {
// Don't return any lines with just whitespace on them.
if (line.isEmpty) {
return '';
}
final String result = '$indentString${hangingIndentString ?? ''}$leadingWhitespace$line';
hangingIndentString ??= ' ' * hangingIndent;
return result;
},
));
}
return result.join('\n');
}
// Used to represent a run of ANSI control sequences next to a visible
// character.
class _AnsiRun {
_AnsiRun(this.original, this.character);
String original;
String character;
}
/// Wraps a block of text into lines no longer than [columnWidth], starting at the
/// [start] column, and returning the result as a list of strings.
///
/// Tries to split at whitespace, but if that's not good enough to keep it
/// under the limit, then splits in the middle of a word. Preserves embedded
/// newlines, but not indentation (it trims whitespace from each line).
///
/// If [columnWidth] is not specified, then the column width will be the width of the
/// terminal window by default. If the stdout is not a terminal window, then the
/// default will be [outputPreferences.wrapColumn].
///
/// If [outputPreferences.wrapText] is false, then the text will be returned
/// simply split at the newlines, but not wrapped.
List<String> _wrapTextAsLines(String text, {int start = 0, int columnWidth}) {
if (text == null || text.isEmpty) {
return <String>[''];
}
columnWidth ??= const io.Stdio().terminalColumns ?? kDefaultTerminalColumns;
assert(columnWidth >= 0);
assert(start >= 0);
/// Returns true if the code unit at [index] in [text] is a whitespace
/// character.
///
/// Based on: https://en.wikipedia.org/wiki/Whitespace_character#Unicode
bool isWhitespace(_AnsiRun run) {
final int rune = run.character.isNotEmpty ? run.character.codeUnitAt(0) : 0x0;
return rune >= 0x0009 && rune <= 0x000D ||
rune == 0x0020 ||
rune == 0x0085 ||
rune == 0x1680 ||
rune == 0x180E ||
rune >= 0x2000 && rune <= 0x200A ||
rune == 0x2028 ||
rune == 0x2029 ||
rune == 0x202F ||
rune == 0x205F ||
rune == 0x3000 ||
rune == 0xFEFF;
}
// Splits a string so that the resulting list has the same number of elements
// as there are visible characters in the string, but elements may include one
// or more adjacent ANSI sequences. Joining the list elements again will
// reconstitute the original string. This is useful for manipulating "visible"
// characters in the presence of ANSI control codes.
List<_AnsiRun> splitWithCodes(String input) {
final RegExp characterOrCode = RegExp('(\u001b\[[0-9;]*m|.)', multiLine: true);
List<_AnsiRun> result = <_AnsiRun>[];
final StringBuffer current = StringBuffer();
for (Match match in characterOrCode.allMatches(input)) {
current.write(match[0]);
if (match[0].length < 4) {
// This is a regular character, write it out.
result.add(_AnsiRun(current.toString(), match[0]));
current.clear();
}
}
// If there's something accumulated, then it must be an ANSI sequence, so
// add it to the end of the last entry so that we don't lose it.
if (current.isNotEmpty) {
if (result.isNotEmpty) {
result.last.original += current.toString();
} else {
// If there is nothing in the string besides control codes, then just
// return them as the only entry.
result = <_AnsiRun>[_AnsiRun(current.toString(), '')];
}
}
return result;
}
String joinRun(List<_AnsiRun> list, int start, [int end]) {
return list.sublist(start, end).map<String>((_AnsiRun run) => run.original).join().trim();
}
final List<String> result = <String>[];
final int effectiveLength = max(columnWidth - start, kMinColumnWidth);
for (String line in text.split('\n')) {
// If the line is short enough, even with ANSI codes, then we can just add
// add it and move on.
if (line.length <= effectiveLength || !outputPreferences.wrapText) {
result.add(line);
continue;
}
final List<_AnsiRun> splitLine = splitWithCodes(line);
if (splitLine.length <= effectiveLength) {
result.add(line);
continue;
}
int currentLineStart = 0;
int lastWhitespace;
// Find the start of the current line.
for (int index = 0; index < splitLine.length; ++index) {
if (splitLine[index].character.isNotEmpty && isWhitespace(splitLine[index])) {
lastWhitespace = index;
}
if (index - currentLineStart >= effectiveLength) {
// Back up to the last whitespace, unless there wasn't any, in which
// case we just split where we are.
if (lastWhitespace != null) {
index = lastWhitespace;
}
result.add(joinRun(splitLine, currentLineStart, index));
// Skip any intervening whitespace.
while (isWhitespace(splitLine[index]) && index < splitLine.length) {
index++;
}
currentLineStart = index;
lastWhitespace = null;
}
}
result.add(joinRun(splitLine, currentLineStart));
}
return result;
}
...@@ -20,7 +20,7 @@ class AnalyzeCommand extends FlutterCommand { ...@@ -20,7 +20,7 @@ class AnalyzeCommand extends FlutterCommand {
help: 'Analyze the current project, if applicable.', defaultsTo: true); help: 'Analyze the current project, if applicable.', defaultsTo: true);
argParser.addFlag('dartdocs', argParser.addFlag('dartdocs',
negatable: false, negatable: false,
help: 'List every public member that is lacking documentation. ' help: 'List every public member that is lacking documentation.\n'
'(The public_member_api_docs lint must be enabled in analysis_options.yaml)', '(The public_member_api_docs lint must be enabled in analysis_options.yaml)',
hide: !verboseHelp); hide: !verboseHelp);
argParser.addFlag('watch', argParser.addFlag('watch',
...@@ -45,7 +45,7 @@ class AnalyzeCommand extends FlutterCommand { ...@@ -45,7 +45,7 @@ class AnalyzeCommand extends FlutterCommand {
// Not used by analyze --watch // Not used by analyze --watch
argParser.addFlag('congratulate', argParser.addFlag('congratulate',
help: 'Show output even when there are no errors, warnings, hints, or lints. ' help: 'Show output even when there are no errors, warnings, hints, or lints.\n'
'Ignored if --watch is specified.', 'Ignored if --watch is specified.',
defaultsTo: true); defaultsTo: true);
argParser.addFlag('preamble', argParser.addFlag('preamble',
......
...@@ -132,7 +132,7 @@ class AnalyzeOnce extends AnalyzeBase { ...@@ -132,7 +132,7 @@ class AnalyzeOnce extends AnalyzeBase {
printStatus(''); printStatus('');
errors.sort(); errors.sort();
for (AnalysisError error in errors) for (AnalysisError error in errors)
printStatus(error.toString(), hangingIndent: 7); printStatus(error.toString());
final String seconds = (timer.elapsedMilliseconds / 1000.0).toStringAsFixed(1); final String seconds = (timer.elapsedMilliseconds / 1000.0).toStringAsFixed(1);
......
...@@ -50,7 +50,7 @@ class AttachCommand extends FlutterCommand { ...@@ -50,7 +50,7 @@ class AttachCommand extends FlutterCommand {
)..addFlag('machine', )..addFlag('machine',
hide: !verboseHelp, hide: !verboseHelp,
negatable: false, negatable: false,
help: 'Handle machine structured JSON command input and provide output ' help: 'Handle machine structured JSON command input and provide output\n'
'and progress in machine friendly format.', 'and progress in machine friendly format.',
); );
hotRunnerFactory ??= HotRunnerFactory(); hotRunnerFactory ??= HotRunnerFactory();
......
...@@ -34,8 +34,8 @@ class BuildApkCommand extends BuildSubCommand { ...@@ -34,8 +34,8 @@ class BuildApkCommand extends BuildSubCommand {
@override @override
final String description = 'Build an Android APK file from your app.\n\n' final String description = 'Build an Android APK file from your app.\n\n'
'This command can build debug and release versions of your application. \'debug\' builds support ' 'This command can build debug and release versions of your application. \'debug\' builds support\n'
'debugging and a quick development cycle. \'release\' builds don\'t support debugging and are ' 'debugging and a quick development cycle. \'release\' builds don\'t support debugging and are\n'
'suitable for deploying to app stores.'; 'suitable for deploying to app stores.';
@override @override
......
...@@ -35,19 +35,19 @@ class BuildBundleCommand extends BuildSubCommand { ...@@ -35,19 +35,19 @@ class BuildBundleCommand extends BuildSubCommand {
) )
..addOption('precompile', ..addOption('precompile',
hide: !verboseHelp, hide: !verboseHelp,
help: 'Precompile functions specified in input file. This flag is only ' help: 'Precompile functions specified in input file. This flag is only\n'
'allowed when using --dynamic. It takes a Dart compilation trace ' 'allowed when using --dynamic. It takes a Dart compilation trace\n'
'file produced by the training run of the application. With this ' 'file produced by the training run of the application. With this\n'
'flag, instead of using default Dart VM snapshot provided by the ' 'flag, instead of using default Dart VM snapshot provided by the\n'
'engine, the application will use its own snapshot that includes ' 'engine, the application will use its own snapshot that includes\n'
'additional compiled functions.' 'additional compiled functions.'
) )
..addFlag('hotupdate', ..addFlag('hotupdate',
hide: !verboseHelp, hide: !verboseHelp,
help: 'Build differential snapshot based on the last state of the build ' help: 'Build differential snapshot based on the last state of the build\n'
'tree and any changes to the application source code since then. ' 'tree and any changes to the application source code since then.\n'
'This flag is only allowed when using --dynamic. With this flag, ' 'This flag is only allowed when using --dynamic. With this flag,\n'
'a partial VM snapshot is generated that is loaded on top of the ' 'a partial VM snapshot is generated that is loaded on top of the\n'
'original VM snapshot that contains precompiled code.' 'original VM snapshot that contains precompiled code.'
) )
..addMultiOption(FlutterOptions.kExtraFrontEndOptions, ..addMultiOption(FlutterOptions.kExtraFrontEndOptions,
......
...@@ -35,7 +35,7 @@ class ConfigCommand extends FlutterCommand { ...@@ -35,7 +35,7 @@ class ConfigCommand extends FlutterCommand {
final String description = final String description =
'Configure Flutter settings.\n\n' 'Configure Flutter settings.\n\n'
'To remove a setting, configure it to an empty string.\n\n' 'To remove a setting, configure it to an empty string.\n\n'
'The Flutter tool anonymously reports feature usage statistics and basic crash reports to help improve ' 'The Flutter tool anonymously reports feature usage statistics and basic crash reports to help improve\n'
'Flutter tools over time. See Google\'s privacy policy: https://www.google.com/intl/en/policies/privacy/'; 'Flutter tools over time. See Google\'s privacy policy: https://www.google.com/intl/en/policies/privacy/';
@override @override
......
...@@ -109,7 +109,7 @@ class CreateCommand extends FlutterCommand { ...@@ -109,7 +109,7 @@ class CreateCommand extends FlutterCommand {
argParser.addOption( argParser.addOption(
'org', 'org',
defaultsTo: 'com.example', defaultsTo: 'com.example',
help: 'The organization responsible for your new Flutter project, in reverse domain name notation. ' help: 'The organization responsible for your new Flutter project, in reverse domain name notation.\n'
'This string is used in Java package names and as prefix in the iOS bundle identifier.' 'This string is used in Java package names and as prefix in the iOS bundle identifier.'
); );
argParser.addOption( argParser.addOption(
...@@ -191,7 +191,7 @@ class CreateCommand extends FlutterCommand { ...@@ -191,7 +191,7 @@ class CreateCommand extends FlutterCommand {
} }
if (Cache.flutterRoot == null) if (Cache.flutterRoot == null)
throwToolExit('Neither the --flutter-root command line flag nor the FLUTTER_ROOT environment ' throwToolExit('Neither the --flutter-root command line flag nor the FLUTTER_ROOT environment\n'
'variable was specified. Unable to find package:flutter.', exitCode: 2); 'variable was specified. Unable to find package:flutter.', exitCode: 2);
await Cache.instance.updateAll(); await Cache.instance.updateAll();
...@@ -247,7 +247,7 @@ class CreateCommand extends FlutterCommand { ...@@ -247,7 +247,7 @@ class CreateCommand extends FlutterCommand {
organization = existingOrganizations.first; organization = existingOrganizations.first;
} else if (1 < existingOrganizations.length) { } else if (1 < existingOrganizations.length) {
throwToolExit( throwToolExit(
'Ambiguous organization in existing files: $existingOrganizations. ' 'Ambiguous organization in existing files: $existingOrganizations.\n'
'The --org command line argument must be specified to recreate project.' 'The --org command line argument must be specified to recreate project.'
); );
} }
...@@ -571,7 +571,7 @@ String _validateProjectName(String projectName) { ...@@ -571,7 +571,7 @@ String _validateProjectName(String projectName) {
/// if we should disallow the directory name. /// if we should disallow the directory name.
String _validateProjectDir(String dirPath, { String flutterRoot }) { String _validateProjectDir(String dirPath, { String flutterRoot }) {
if (fs.path.isWithin(flutterRoot, dirPath)) { if (fs.path.isWithin(flutterRoot, dirPath)) {
return 'Cannot create a project within the Flutter SDK. ' return 'Cannot create a project within the Flutter SDK.\n'
"Target directory '$dirPath' is within the Flutter SDK at '$flutterRoot'."; "Target directory '$dirPath' is within the Flutter SDK at '$flutterRoot'.";
} }
......
...@@ -748,14 +748,7 @@ class NotifyingLogger extends Logger { ...@@ -748,14 +748,7 @@ class NotifyingLogger extends Logger {
Stream<LogMessage> get onMessage => _messageController.stream; Stream<LogMessage> get onMessage => _messageController.stream;
@override @override
void printError( void printError(String message, { StackTrace stackTrace, bool emphasis = false, TerminalColor color }) {
String message, {
StackTrace stackTrace,
bool emphasis = false,
TerminalColor color,
int indent,
int hangingIndent,
}) {
_messageController.add(LogMessage('error', message, stackTrace)); _messageController.add(LogMessage('error', message, stackTrace));
} }
...@@ -766,7 +759,6 @@ class NotifyingLogger extends Logger { ...@@ -766,7 +759,6 @@ class NotifyingLogger extends Logger {
TerminalColor color, TerminalColor color,
bool newline = true, bool newline = true,
int indent, int indent,
int hangingIndent,
}) { }) {
_messageController.add(LogMessage('status', message)); _messageController.add(LogMessage('status', message));
} }
...@@ -882,22 +874,9 @@ class _AppRunLogger extends Logger { ...@@ -882,22 +874,9 @@ class _AppRunLogger extends Logger {
int _nextProgressId = 0; int _nextProgressId = 0;
@override @override
void printError( void printError(String message, { StackTrace stackTrace, bool emphasis, TerminalColor color}) {
String message, {
StackTrace stackTrace,
bool emphasis,
TerminalColor color,
int indent,
int hangingIndent,
}) {
if (parent != null) { if (parent != null) {
parent.printError( parent.printError(message, stackTrace: stackTrace, emphasis: emphasis);
message,
stackTrace: stackTrace,
emphasis: emphasis,
indent: indent,
hangingIndent: hangingIndent,
);
} else { } else {
if (stackTrace != null) { if (stackTrace != null) {
_sendLogEvent(<String, dynamic>{ _sendLogEvent(<String, dynamic>{
...@@ -921,7 +900,6 @@ class _AppRunLogger extends Logger { ...@@ -921,7 +900,6 @@ class _AppRunLogger extends Logger {
TerminalColor color, TerminalColor color,
bool newline = true, bool newline = true,
int indent, int indent,
int hangingIndent,
}) { }) {
if (parent != null) { if (parent != null) {
parent.printStatus( parent.printStatus(
...@@ -930,7 +908,6 @@ class _AppRunLogger extends Logger { ...@@ -930,7 +908,6 @@ class _AppRunLogger extends Logger {
color: color, color: color,
newline: newline, newline: newline,
indent: indent, indent: indent,
hangingIndent: hangingIndent,
); );
} else { } else {
_sendLogEvent(<String, dynamic>{'log': message}); _sendLogEvent(<String, dynamic>{'log': message});
......
...@@ -33,13 +33,13 @@ class DevicesCommand extends FlutterCommand { ...@@ -33,13 +33,13 @@ class DevicesCommand extends FlutterCommand {
printStatus( printStatus(
'No devices detected.\n\n' 'No devices detected.\n\n'
"Run 'flutter emulators' to list and start any available device emulators.\n\n" "Run 'flutter emulators' to list and start any available device emulators.\n\n"
'Or, if you expected your device to be detected, please run "flutter doctor" to diagnose ' 'Or, if you expected your device to be detected, please run "flutter doctor" to diagnose\n'
'potential issues, or visit https://flutter.io/setup/ for troubleshooting tips.'); 'potential issues, or visit https://flutter.io/setup/ for troubleshooting tips.');
final List<String> diagnostics = await deviceManager.getDeviceDiagnostics(); final List<String> diagnostics = await deviceManager.getDeviceDiagnostics();
if (diagnostics.isNotEmpty) { if (diagnostics.isNotEmpty) {
printStatus(''); printStatus('');
for (String diagnostic in diagnostics) { for (String diagnostic in diagnostics) {
printStatus('• $diagnostic', hangingIndent: 2); printStatus('• ${diagnostic.replaceAll('\n', '\n ')}');
} }
} }
} else { } else {
......
...@@ -45,24 +45,23 @@ class DriveCommand extends RunCommandBase { ...@@ -45,24 +45,23 @@ class DriveCommand extends RunCommandBase {
..addFlag('keep-app-running', ..addFlag('keep-app-running',
defaultsTo: null, defaultsTo: null,
help: 'Will keep the Flutter application running when done testing.\n' help: 'Will keep the Flutter application running when done testing.\n'
'By default, "flutter drive" stops the application after tests are finished, ' 'By default, "flutter drive" stops the application after tests are finished,\n'
'and --keep-app-running overrides this. On the other hand, if --use-existing-app ' 'and --keep-app-running overrides this. On the other hand, if --use-existing-app\n'
'is specified, then "flutter drive" instead defaults to leaving the application ' 'is specified, then "flutter drive" instead defaults to leaving the application\n'
'running, and --no-keep-app-running overrides it.', 'running, and --no-keep-app-running overrides it.',
) )
..addOption('use-existing-app', ..addOption('use-existing-app',
help: 'Connect to an already running instance via the given observatory URL. ' help: 'Connect to an already running instance via the given observatory URL.\n'
'If this option is given, the application will not be automatically started, ' 'If this option is given, the application will not be automatically started,\n'
'and it will only be stopped if --no-keep-app-running is explicitly set.', 'and it will only be stopped if --no-keep-app-running is explicitly set.',
valueHelp: 'url', valueHelp: 'url',
) )
..addOption('driver', ..addOption('driver',
help: 'The test file to run on the host (as opposed to the target file to run on ' help: 'The test file to run on the host (as opposed to the target file to run on\n'
'the device).\n' 'the device). By default, this file has the same base name as the target\n'
'By default, this file has the same base name as the target file, but in the ' 'file, but in the "test_driver/" directory instead, and with "_test" inserted\n'
'"test_driver/" directory instead, and with "_test" inserted just before the ' 'just before the extension, so e.g. if the target is "lib/main.dart", the\n'
'extension, so e.g. if the target is "lib/main.dart", the driver will be ' 'driver will be "test_driver/main_test.dart".',
'"test_driver/main_test.dart".',
valueHelp: 'path', valueHelp: 'path',
); );
} }
......
...@@ -105,10 +105,10 @@ class PackagesTestCommand extends FlutterCommand { ...@@ -105,10 +105,10 @@ class PackagesTestCommand extends FlutterCommand {
@override @override
String get description { String get description {
return 'Run the "test" package.\n' return 'Run the "test" package.\n'
'This is similar to "flutter test", but instead of hosting the tests in the ' 'This is similar to "flutter test", but instead of hosting the tests in the\n'
'flutter environment it hosts the tests in a pure Dart environment. The main ' 'flutter environment it hosts the tests in a pure Dart environment. The main\n'
'differences are that the "dart:ui" library is not available and that tests ' 'differences are that the "dart:ui" library is not available and that tests\n'
'run faster. This is helpful for testing libraries that do not depend on any ' 'run faster. This is helpful for testing libraries that do not depend on any\n'
'packages from the Flutter SDK. It is equivalent to "pub run test".'; 'packages from the Flutter SDK. It is equivalent to "pub run test".';
} }
......
...@@ -32,7 +32,7 @@ abstract class RunCommandBase extends FlutterCommand { ...@@ -32,7 +32,7 @@ abstract class RunCommandBase extends FlutterCommand {
..addFlag('ipv6', ..addFlag('ipv6',
hide: true, hide: true,
negatable: false, negatable: false,
help: 'Binds to IPv6 localhost instead of IPv4 when the flutter tool ' help: 'Binds to IPv6 localhost instead of IPv4 when the flutter tool\n'
'forwards the host port to a device port.', 'forwards the host port to a device port.',
) )
..addOption('route', ..addOption('route',
...@@ -83,27 +83,27 @@ class RunCommand extends RunCommandBase { ...@@ -83,27 +83,27 @@ class RunCommand extends RunCommandBase {
) )
..addFlag('enable-software-rendering', ..addFlag('enable-software-rendering',
negatable: false, negatable: false,
help: 'Enable rendering using the Skia software backend. ' help: 'Enable rendering using the Skia software backend. This is useful\n'
'This is useful when testing Flutter on emulators. By default, ' 'when testing Flutter on emulators. By default, Flutter will\n'
'Flutter will attempt to either use OpenGL or Vulkan and fall back ' 'attempt to either use OpenGL or Vulkan and fall back to software\n'
'to software when neither is available.', 'when neither is available.',
) )
..addFlag('skia-deterministic-rendering', ..addFlag('skia-deterministic-rendering',
negatable: false, negatable: false,
help: 'When combined with --enable-software-rendering, provides 100% ' help: 'When combined with --enable-software-rendering, provides 100%\n'
'deterministic Skia rendering.', 'deterministic Skia rendering.',
) )
..addFlag('trace-skia', ..addFlag('trace-skia',
negatable: false, negatable: false,
help: 'Enable tracing of Skia code. This is useful when debugging ' help: 'Enable tracing of Skia code. This is useful when debugging\n'
'the GPU thread. By default, Flutter will not log skia code.', 'the GPU thread. By default, Flutter will not log skia code.',
) )
..addFlag('use-test-fonts', ..addFlag('use-test-fonts',
negatable: true, negatable: true,
help: 'Enable (and default to) the "Ahem" font. This is a special font ' help: 'Enable (and default to) the "Ahem" font. This is a special font\n'
'used in tests to remove any dependencies on the font metrics. It ' 'used in tests to remove any dependencies on the font metrics. It\n'
'is enabled when you use "flutter test". Set this flag when running ' 'is enabled when you use "flutter test". Set this flag when running\n'
'a test using "flutter run" for debugging purposes. This flag is ' 'a test using "flutter run" for debugging purposes. This flag is\n'
'only available when running in debug mode.', 'only available when running in debug mode.',
) )
..addFlag('build', ..addFlag('build',
...@@ -116,19 +116,19 @@ class RunCommand extends RunCommandBase { ...@@ -116,19 +116,19 @@ class RunCommand extends RunCommandBase {
) )
..addOption('precompile', ..addOption('precompile',
hide: !verboseHelp, hide: !verboseHelp,
help: 'Precompile functions specified in input file. This flag is only ' help: 'Precompile functions specified in input file. This flag is only\n'
'allowed when using --dynamic. It takes a Dart compilation trace ' 'allowed when using --dynamic. It takes a Dart compilation trace\n'
'file produced by the training run of the application. With this ' 'file produced by the training run of the application. With this\n'
'flag, instead of using default Dart VM snapshot provided by the ' 'flag, instead of using default Dart VM snapshot provided by the\n'
'engine, the application will use its own snapshot that includes ' 'engine, the application will use its own snapshot that includes\n'
'additional functions.' 'additional functions.'
) )
..addFlag('hotupdate', ..addFlag('hotupdate',
hide: !verboseHelp, hide: !verboseHelp,
help: 'Build differential snapshot based on the last state of the build ' help: 'Build differential snapshot based on the last state of the build\n'
'tree and any changes to the application source code since then. ' 'tree and any changes to the application source code since then.\n'
'This flag is only allowed when using --dynamic. With this flag, ' 'This flag is only allowed when using --dynamic. With this flag,\n'
'a partial VM snapshot is generated that is loaded on top of the ' 'a partial VM snapshot is generated that is loaded on top of the\n'
'original VM snapshot that contains precompiled code.' 'original VM snapshot that contains precompiled code.'
) )
..addFlag('track-widget-creation', ..addFlag('track-widget-creation',
...@@ -142,7 +142,7 @@ class RunCommand extends RunCommandBase { ...@@ -142,7 +142,7 @@ class RunCommand extends RunCommandBase {
..addFlag('machine', ..addFlag('machine',
hide: !verboseHelp, hide: !verboseHelp,
negatable: false, negatable: false,
help: 'Handle machine structured JSON command input and provide output ' help: 'Handle machine structured JSON command input and provide output\n'
'and progress in machine friendly format.', 'and progress in machine friendly format.',
) )
..addFlag('hot', ..addFlag('hot',
...@@ -151,8 +151,8 @@ class RunCommand extends RunCommandBase { ...@@ -151,8 +151,8 @@ class RunCommand extends RunCommandBase {
help: 'Run with support for hot reloading.', help: 'Run with support for hot reloading.',
) )
..addOption('pid-file', ..addOption('pid-file',
help: 'Specify a file to write the process id to. ' help: 'Specify a file to write the process id to.\n'
'You can send SIGUSR1 to trigger a hot reload ' 'You can send SIGUSR1 to trigger a hot reload\n'
'and SIGUSR2 to trigger a hot restart.', 'and SIGUSR2 to trigger a hot restart.',
) )
..addFlag('resident', ..addFlag('resident',
...@@ -164,9 +164,9 @@ class RunCommand extends RunCommandBase { ...@@ -164,9 +164,9 @@ class RunCommand extends RunCommandBase {
..addFlag('benchmark', ..addFlag('benchmark',
negatable: false, negatable: false,
hide: !verboseHelp, hide: !verboseHelp,
help: 'Enable a benchmarking mode. This will run the given application, ' help: 'Enable a benchmarking mode. This will run the given application,\n'
'measure the startup time and the app restart time, write the ' 'measure the startup time and the app restart time, write the\n'
'results out to "refresh_benchmark.json", and exit. This flag is ' 'results out to "refresh_benchmark.json", and exit. This flag is\n'
'intended for use in generating automated flutter benchmarks.', 'intended for use in generating automated flutter benchmarks.',
) )
..addOption(FlutterOptions.kExtraFrontEndOptions, hide: true) ..addOption(FlutterOptions.kExtraFrontEndOptions, hide: true)
......
...@@ -33,7 +33,7 @@ class ScreenshotCommand extends FlutterCommand { ...@@ -33,7 +33,7 @@ class ScreenshotCommand extends FlutterCommand {
valueHelp: 'port', valueHelp: 'port',
help: 'The observatory port to connect to.\n' help: 'The observatory port to connect to.\n'
'This is required when --$_kType is "$_kSkiaType" or "$_kRasterizerType".\n' 'This is required when --$_kType is "$_kSkiaType" or "$_kRasterizerType".\n'
'To find the observatory port number, use "flutter run --verbose" ' 'To find the observatory port number, use "flutter run --verbose"\n'
'and look for "Forwarded host port ... for Observatory" in the output.', 'and look for "Forwarded host port ... for Observatory" in the output.',
); );
argParser.addOption( argParser.addOption(
...@@ -42,8 +42,8 @@ class ScreenshotCommand extends FlutterCommand { ...@@ -42,8 +42,8 @@ class ScreenshotCommand extends FlutterCommand {
help: 'The type of screenshot to retrieve.', help: 'The type of screenshot to retrieve.',
allowed: const <String>[_kDeviceType, _kSkiaType, _kRasterizerType], allowed: const <String>[_kDeviceType, _kSkiaType, _kRasterizerType],
allowedHelp: const <String, String>{ allowedHelp: const <String, String>{
_kDeviceType: 'Delegate to the device\'s native screenshot capabilities. This ' _kDeviceType: 'Delegate to the device\'s native screenshot capabilities. This\n'
'screenshots the entire screen currently being displayed (including content ' 'screenshots the entire screen currently being displayed (including content\n'
'not rendered by Flutter, like the device status bar).', 'not rendered by Flutter, like the device status bar).',
_kSkiaType: 'Render the Flutter app as a Skia picture. Requires --$_kObservatoryPort', _kSkiaType: 'Render the Flutter app as a Skia picture. Requires --$_kObservatoryPort',
_kRasterizerType: 'Render the Flutter app using the rasterizer. Requires --$_kObservatoryPort', _kRasterizerType: 'Render the Flutter app using the rasterizer. Requires --$_kObservatoryPort',
......
...@@ -26,9 +26,9 @@ class ShellCompletionCommand extends FlutterCommand { ...@@ -26,9 +26,9 @@ class ShellCompletionCommand extends FlutterCommand {
@override @override
final String description = 'Output command line shell completion setup scripts.\n\n' final String description = 'Output command line shell completion setup scripts.\n\n'
'This command prints the flutter command line completion setup script for Bash and Zsh. To ' 'This command prints the flutter command line completion setup script for Bash and Zsh. To\n'
'use it, specify an output file and follow the instructions in the generated output file to ' 'use it, specify an output file and follow the instructions in the generated output file to\n'
'install it in your shell environment. Once it is sourced, your shell will be able to ' 'install it in your shell environment. Once it is sourced, your shell will be able to\n'
'complete flutter commands and options.'; 'complete flutter commands and options.';
@override @override
......
...@@ -35,7 +35,7 @@ class TestCommand extends FlutterCommand { ...@@ -35,7 +35,7 @@ class TestCommand extends FlutterCommand {
negatable: false, negatable: false,
help: 'Start in a paused mode and wait for a debugger to connect.\n' help: 'Start in a paused mode and wait for a debugger to connect.\n'
'You must specify a single test file to run, explicitly.\n' 'You must specify a single test file to run, explicitly.\n'
'Instructions for connecting with a debugger and printed to the ' 'Instructions for connecting with a debugger and printed to the\n'
'console once the test has started.', 'console once the test has started.',
) )
..addFlag('coverage', ..addFlag('coverage',
...@@ -72,7 +72,7 @@ class TestCommand extends FlutterCommand { ...@@ -72,7 +72,7 @@ class TestCommand extends FlutterCommand {
) )
..addFlag('update-goldens', ..addFlag('update-goldens',
negatable: false, negatable: false,
help: 'Whether matchesGoldenFile() calls within your test methods should ' help: 'Whether matchesGoldenFile() calls within your test methods should\n'
'update the golden files rather than test for an existing match.', 'update the golden files rather than test for an existing match.',
) )
..addOption('concurrency', ..addOption('concurrency',
...@@ -94,8 +94,8 @@ class TestCommand extends FlutterCommand { ...@@ -94,8 +94,8 @@ class TestCommand extends FlutterCommand {
if (!fs.isFileSync('pubspec.yaml')) { if (!fs.isFileSync('pubspec.yaml')) {
throwToolExit( throwToolExit(
'Error: No pubspec.yaml file found in the current working directory.\n' 'Error: No pubspec.yaml file found in the current working directory.\n'
'Run this command from the root of your project. Test files must be ' 'Run this command from the root of your project. Test files must be\n'
'called *_test.dart and must reside in the package\'s \'test\' ' 'called *_test.dart and must reside in the package\'s \'test\'\n'
'directory (or one of its subdirectories).'); 'directory (or one of its subdirectories).');
} }
} }
......
...@@ -23,7 +23,7 @@ class TraceCommand extends FlutterCommand { ...@@ -23,7 +23,7 @@ class TraceCommand extends FlutterCommand {
argParser.addFlag('stop', negatable: false, help: 'Stop tracing. Implied if --start is also omitted.'); argParser.addFlag('stop', negatable: false, help: 'Stop tracing. Implied if --start is also omitted.');
argParser.addOption('duration', argParser.addOption('duration',
abbr: 'd', abbr: 'd',
help: 'Time to wait after starting (if --start is specified or implied) and before ' help: 'Time to wait after starting (if --start is specified or implied) and before\n'
'stopping (if --stop is specified or implied).\n' 'stopping (if --stop is specified or implied).\n'
'Defaults to ten seconds if --stop is specified or implied, zero otherwise.', 'Defaults to ten seconds if --stop is specified or implied, zero otherwise.',
); );
...@@ -38,8 +38,8 @@ class TraceCommand extends FlutterCommand { ...@@ -38,8 +38,8 @@ class TraceCommand extends FlutterCommand {
@override @override
final String usageFooter = final String usageFooter =
'\`trace\` called without the --start or --stop flags will automatically start tracing, ' '\`trace\` called without the --start or --stop flags will automatically start tracing,\n'
'delay a set amount of time (controlled by --duration), and stop tracing. To explicitly ' 'delay a set amount of time (controlled by --duration), and stop tracing. To explicitly\n'
'control tracing, call trace with --start and later with --stop.\n' 'control tracing, call trace with --start and later with --stop.\n'
'The --debug-port argument is required.'; 'The --debug-port argument is required.';
......
...@@ -4,14 +4,12 @@ ...@@ -4,14 +4,12 @@
import 'dart:async'; import 'dart:async';
import 'dart:convert'; import 'dart:convert';
import 'dart:math' as math;
import '../base/file_system.dart' hide IOSink; import '../base/file_system.dart' hide IOSink;
import '../base/file_system.dart'; import '../base/file_system.dart';
import '../base/io.dart'; import '../base/io.dart';
import '../base/platform.dart'; import '../base/platform.dart';
import '../base/process_manager.dart'; import '../base/process_manager.dart';
import '../base/terminal.dart';
import '../base/utils.dart'; import '../base/utils.dart';
import '../globals.dart'; import '../globals.dart';
...@@ -147,20 +145,13 @@ class AnalysisServer { ...@@ -147,20 +145,13 @@ class AnalysisServer {
} }
} }
enum _AnalysisSeverity {
error,
warning,
info,
none,
}
class AnalysisError implements Comparable<AnalysisError> { class AnalysisError implements Comparable<AnalysisError> {
AnalysisError(this.json); AnalysisError(this.json);
static final Map<String, _AnalysisSeverity> _severityMap = <String, _AnalysisSeverity>{ static final Map<String, int> _severityMap = <String, int>{
'INFO': _AnalysisSeverity.info, 'ERROR': 3,
'WARNING': _AnalysisSeverity.warning, 'WARNING': 2,
'ERROR': _AnalysisSeverity.error, 'INFO': 1
}; };
static final String _separator = platform.isWindows ? '-' : '•'; static final String _separator = platform.isWindows ? '-' : '•';
...@@ -171,19 +162,7 @@ class AnalysisError implements Comparable<AnalysisError> { ...@@ -171,19 +162,7 @@ class AnalysisError implements Comparable<AnalysisError> {
Map<String, dynamic> json; Map<String, dynamic> json;
String get severity => json['severity']; String get severity => json['severity'];
String get colorSeverity { int get severityLevel => _severityMap[severity] ?? 0;
switch(_severityLevel) {
case _AnalysisSeverity.error:
return terminal.color(severity, TerminalColor.red);
case _AnalysisSeverity.warning:
return terminal.color(severity, TerminalColor.yellow);
case _AnalysisSeverity.info:
case _AnalysisSeverity.none:
return severity;
}
return null;
}
_AnalysisSeverity get _severityLevel => _severityMap[severity] ?? _AnalysisSeverity.none;
String get type => json['type']; String get type => json['type'];
String get message => json['message']; String get message => json['message'];
String get code => json['code']; String get code => json['code'];
...@@ -210,7 +189,7 @@ class AnalysisError implements Comparable<AnalysisError> { ...@@ -210,7 +189,7 @@ class AnalysisError implements Comparable<AnalysisError> {
if (offset != other.offset) if (offset != other.offset)
return offset - other.offset; return offset - other.offset;
final int diff = other._severityLevel.index - _severityLevel.index; final int diff = other.severityLevel - severityLevel;
if (diff != 0) if (diff != 0)
return diff; return diff;
...@@ -219,10 +198,7 @@ class AnalysisError implements Comparable<AnalysisError> { ...@@ -219,10 +198,7 @@ class AnalysisError implements Comparable<AnalysisError> {
@override @override
String toString() { String toString() {
// Can't use "padLeft" because of ANSI color sequences in the colorized return '${severity.toLowerCase().padLeft(7)} $_separator '
// severity.
final String padding = ' ' * math.max(0, 7 - severity.length);
return '$padding${colorSeverity.toLowerCase()} $_separator '
'$messageSentenceFragment $_separator ' '$messageSentenceFragment $_separator '
'${fs.path.relative(file)}:$startLine:$startColumn $_separator ' '${fs.path.relative(file)}:$startLine:$startColumn $_separator '
'$code'; '$code';
......
...@@ -14,8 +14,6 @@ import 'base/logger.dart'; ...@@ -14,8 +14,6 @@ import 'base/logger.dart';
import 'base/os.dart'; import 'base/os.dart';
import 'base/platform.dart'; import 'base/platform.dart';
import 'base/process_manager.dart'; import 'base/process_manager.dart';
import 'base/terminal.dart';
import 'base/utils.dart';
import 'base/version.dart'; import 'base/version.dart';
import 'cache.dart'; import 'cache.dart';
import 'device.dart'; import 'device.dart';
...@@ -124,28 +122,26 @@ class Doctor { ...@@ -124,28 +122,26 @@ class Doctor {
bool allGood = true; bool allGood = true;
for (DoctorValidator validator in validators) { for (DoctorValidator validator in validators) {
final StringBuffer lineBuffer = StringBuffer();
final ValidationResult result = await validator.validate(); final ValidationResult result = await validator.validate();
lineBuffer.write('${result.coloredLeadingBox} ${validator.title} is '); buffer.write('${result.leadingBox} ${validator.title} is ');
switch (result.type) { switch (result.type) {
case ValidationType.missing: case ValidationType.missing:
lineBuffer.write('not installed.'); buffer.write('not installed.');
break; break;
case ValidationType.partial: case ValidationType.partial:
lineBuffer.write('partially installed; more components are available.'); buffer.write('partially installed; more components are available.');
break; break;
case ValidationType.notAvailable: case ValidationType.notAvailable:
lineBuffer.write('not available.'); buffer.write('not available.');
break; break;
case ValidationType.installed: case ValidationType.installed:
lineBuffer.write('fully installed.'); buffer.write('fully installed.');
break; break;
} }
if (result.statusInfo != null) if (result.statusInfo != null)
lineBuffer.write(' (${result.statusInfo})'); buffer.write(' (${result.statusInfo})');
buffer.write(wrapText(lineBuffer.toString(), hangingIndent: result.leadingBox.length + 1));
buffer.writeln(); buffer.writeln();
if (result.type != ValidationType.installed) if (result.type != ValidationType.installed)
...@@ -196,23 +192,20 @@ class Doctor { ...@@ -196,23 +192,20 @@ class Doctor {
break; break;
} }
if (result.statusInfo != null) { if (result.statusInfo != null)
printStatus('${result.coloredLeadingBox} ${validator.title} (${result.statusInfo})', printStatus('${result.leadingBox} ${validator.title} (${result.statusInfo})');
hangingIndent: result.leadingBox.length + 1); else
} else { printStatus('${result.leadingBox} ${validator.title}');
printStatus('${result.coloredLeadingBox} ${validator.title}',
hangingIndent: result.leadingBox.length + 1);
}
for (ValidationMessage message in result.messages) { for (ValidationMessage message in result.messages) {
if (message.type != ValidationMessageType.information || verbose == true) { if (message.isError || message.isHint || verbose == true) {
int hangingIndent = 2; final String text = message.message.replaceAll('\n', '\n ');
int indent = 4; if (message.isError) {
for (String line in '${message.coloredIndicator} ${message.message}'.split('\n')) { printStatus(' ✗ $text', emphasis: true);
printStatus(line, hangingIndent: hangingIndent, indent: indent, emphasis: true); } else if (message.isHint) {
// Only do hanging indent for the first line. printStatus(' ! $text');
hangingIndent = 0; } else {
indent = 6; printStatus(' • $text');
} }
} }
} }
...@@ -223,11 +216,10 @@ class Doctor { ...@@ -223,11 +216,10 @@ class Doctor {
// Make sure there's always one line before the summary even when not verbose. // Make sure there's always one line before the summary even when not verbose.
if (!verbose) if (!verbose)
printStatus(''); printStatus('');
if (issues > 0) { if (issues > 0) {
printStatus('${terminal.color('!', TerminalColor.yellow)} Doctor found issues in $issues categor${issues > 1 ? "ies" : "y"}.', hangingIndent: 2); printStatus('! Doctor found issues in $issues categor${issues > 1 ? "ies" : "y"}.');
} else { } else {
printStatus('${terminal.color('•', TerminalColor.green)} No issues found!', hangingIndent: 2); printStatus('• No issues found!');
} }
return doctorResult; return doctorResult;
...@@ -264,12 +256,6 @@ enum ValidationType { ...@@ -264,12 +256,6 @@ enum ValidationType {
installed, installed,
} }
enum ValidationMessageType {
error,
hint,
information,
}
abstract class DoctorValidator { abstract class DoctorValidator {
const DoctorValidator(this.title); const DoctorValidator(this.title);
...@@ -358,56 +344,17 @@ class ValidationResult { ...@@ -358,56 +344,17 @@ class ValidationResult {
} }
return null; return null;
} }
String get coloredLeadingBox {
assert(type != null);
switch (type) {
case ValidationType.missing:
return terminal.color(leadingBox, TerminalColor.red);
case ValidationType.installed:
return terminal.color(leadingBox, TerminalColor.green);
case ValidationType.notAvailable:
case ValidationType.partial:
return terminal.color(leadingBox, TerminalColor.yellow);
}
return null;
}
} }
class ValidationMessage { class ValidationMessage {
ValidationMessage(this.message) : type = ValidationMessageType.information; ValidationMessage(this.message) : isError = false, isHint = false;
ValidationMessage.error(this.message) : type = ValidationMessageType.error; ValidationMessage.error(this.message) : isError = true, isHint = false;
ValidationMessage.hint(this.message) : type = ValidationMessageType.hint; ValidationMessage.hint(this.message) : isError = false, isHint = true;
final ValidationMessageType type; final bool isError;
bool get isError => type == ValidationMessageType.error; final bool isHint;
bool get isHint => type == ValidationMessageType.hint;
final String message; final String message;
String get indicator {
switch (type) {
case ValidationMessageType.error:
return '✗';
case ValidationMessageType.hint:
return '!';
case ValidationMessageType.information:
return '•';
}
return null;
}
String get coloredIndicator {
switch (type) {
case ValidationMessageType.error:
return terminal.color(indicator, TerminalColor.red);
case ValidationMessageType.hint:
return terminal.color(indicator, TerminalColor.yellow);
case ValidationMessageType.information:
return terminal.color(indicator, TerminalColor.green);
}
return null;
}
@override @override
String toString() => message; String toString() => message;
} }
......
...@@ -25,16 +25,12 @@ void printError( ...@@ -25,16 +25,12 @@ void printError(
StackTrace stackTrace, StackTrace stackTrace,
bool emphasis, bool emphasis,
TerminalColor color, TerminalColor color,
int indent,
int hangingIndent,
}) { }) {
logger.printError( logger.printError(
message, message,
stackTrace: stackTrace, stackTrace: stackTrace,
emphasis: emphasis ?? false, emphasis: emphasis ?? false,
color: color, color: color,
indent: indent,
hangingIndent: hangingIndent,
); );
} }
...@@ -53,7 +49,6 @@ void printStatus( ...@@ -53,7 +49,6 @@ void printStatus(
bool newline, bool newline,
TerminalColor color, TerminalColor color,
int indent, int indent,
int hangingIndent,
}) { }) {
logger.printStatus( logger.printStatus(
message, message,
...@@ -61,7 +56,6 @@ void printStatus( ...@@ -61,7 +56,6 @@ void printStatus(
color: color, color: color,
newline: newline ?? true, newline: newline ?? true,
indent: indent, indent: indent,
hangingIndent: hangingIndent,
); );
} }
......
...@@ -100,7 +100,7 @@ abstract class FlutterCommand extends Command<void> { ...@@ -100,7 +100,7 @@ abstract class FlutterCommand extends Command<void> {
abbr: 't', abbr: 't',
defaultsTo: bundle.defaultMainPath, defaultsTo: bundle.defaultMainPath,
help: 'The main entry-point file of the application, as run on the device.\n' help: 'The main entry-point file of the application, as run on the device.\n'
'If the --target option is omitted, but a file name is provided on ' 'If the --target option is omitted, but a file name is provided on\n'
'the command line, then that is used instead.', 'the command line, then that is used instead.',
valueHelp: 'path'); valueHelp: 'path');
_usesTargetOption = true; _usesTargetOption = true;
......
// Copyright 2018 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:file/memory.dart'; import 'package:file/memory.dart';
import 'package:flutter_tools/src/android/android_studio.dart'; import 'package:flutter_tools/src/android/android_studio.dart';
import 'package:flutter_tools/src/base/file_system.dart'; import 'package:flutter_tools/src/base/file_system.dart';
......
// Copyright 2018 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter_tools/src/doctor.dart';
import 'package:flutter_tools/src/android/android_studio_validator.dart';
import 'package:flutter_tools/src/base/platform.dart';
import '../src/common.dart';
import '../src/context.dart';
const String home = '/home/me';
Platform linuxPlatform() {
return FakePlatform.fromPlatform(const LocalPlatform())
..operatingSystem = 'linux'
..environment = <String, String>{'HOME': home};
}
void main() {
group('NoAndroidStudioValidator', () {
testUsingContext('shows Android Studio as "not available" when not available.', () async {
final NoAndroidStudioValidator validator = NoAndroidStudioValidator();
expect((await validator.validate()).type, equals(ValidationType.notAvailable));
}, overrides: <Type, Generator>{
// Note that custom home paths are not supported on macOS nor Windows yet:
Platform: () => linuxPlatform(),
});
});
}
...@@ -4,31 +4,12 @@ ...@@ -4,31 +4,12 @@
import 'dart:async'; import 'dart:async';
import 'package:flutter_tools/src/base/platform.dart';
import 'package:flutter_tools/src/base/terminal.dart'; import 'package:flutter_tools/src/base/terminal.dart';
import 'package:flutter_tools/src/globals.dart';
import '../src/common.dart'; import '../src/common.dart';
import '../src/context.dart'; import '../src/context.dart';
void main() { void main() {
group('output preferences', () {
testUsingContext('can wrap output', () async {
printStatus('0123456789' * 8);
expect(testLogger.statusText, equals(('0123456789' * 4 + '\n') * 2));
}, overrides: <Type, Generator>{
OutputPreferences: () => OutputPreferences(wrapText: true, wrapColumn: 40),
});
testUsingContext('can turn off wrapping', () async {
final String testString = '0123456789' * 20;
printStatus(testString);
expect(testLogger.statusText, equals('$testString\n'));
}, overrides: <Type, Generator>{
Platform: () => FakePlatform()..stdoutSupportsAnsi = true,
OutputPreferences: () => OutputPreferences(wrapText: false),
});
});
group('character input prompt', () { group('character input prompt', () {
AnsiTerminal terminalUnderTest; AnsiTerminal terminalUnderTest;
...@@ -42,7 +23,8 @@ void main() { ...@@ -42,7 +23,8 @@ void main() {
Future<String>.value('\n'), // Not in accepted list Future<String>.value('\n'), // Not in accepted list
Future<String>.value('b'), Future<String>.value('b'),
]).asBroadcastStream(); ]).asBroadcastStream();
final String choice = await terminalUnderTest.promptForCharInput( final String choice =
await terminalUnderTest.promptForCharInput(
<String>['a', 'b', 'c'], <String>['a', 'b', 'c'],
prompt: 'Please choose something', prompt: 'Please choose something',
); );
...@@ -52,14 +34,16 @@ void main() { ...@@ -52,14 +34,16 @@ void main() {
'Please choose something [a|b|c]: d\n' 'Please choose something [a|b|c]: d\n'
'Please choose something [a|b|c]: \n' 'Please choose something [a|b|c]: \n'
'\n' '\n'
'Please choose something [a|b|c]: b\n'); 'Please choose something [a|b|c]: b\n'
);
}); });
testUsingContext('default character choice without displayAcceptedCharacters', () async { testUsingContext('default character choice without displayAcceptedCharacters', () async {
mockStdInStream = Stream<String>.fromFutures(<Future<String>>[ mockStdInStream = Stream<String>.fromFutures(<Future<String>>[
Future<String>.value('\n'), // Not in accepted list Future<String>.value('\n'), // Not in accepted list
]).asBroadcastStream(); ]).asBroadcastStream();
final String choice = await terminalUnderTest.promptForCharInput( final String choice =
await terminalUnderTest.promptForCharInput(
<String>['a', 'b', 'c'], <String>['a', 'b', 'c'],
prompt: 'Please choose something', prompt: 'Please choose something',
displayAcceptedCharacters: false, displayAcceptedCharacters: false,
...@@ -69,7 +53,8 @@ void main() { ...@@ -69,7 +53,8 @@ void main() {
expect( expect(
testLogger.statusText, testLogger.statusText,
'Please choose something: \n' 'Please choose something: \n'
'\n'); '\n'
);
}); });
}); });
} }
......
...@@ -41,7 +41,7 @@ void main() { ...@@ -41,7 +41,7 @@ void main() {
testUsingContext('flutter create', () async { testUsingContext('flutter create', () async {
await runCommand( await runCommand(
command: CreateCommand(), command: CreateCommand(),
arguments: <String>['--no-wrap', 'create', projectPath], arguments: <String>['create', projectPath],
statusTextContains: <String>[ statusTextContains: <String>[
'All done!', 'All done!',
'Your application code is in ${fs.path.normalize(fs.path.join(fs.path.relative(projectPath), 'lib', 'main.dart'))}', 'Your application code is in ${fs.path.normalize(fs.path.join(fs.path.relative(projectPath), 'lib', 'main.dart'))}',
......
...@@ -375,7 +375,7 @@ void main() { ...@@ -375,7 +375,7 @@ void main() {
]); ]);
}, timeout: allowForRemotePubInvocation); }, timeout: allowForRemotePubInvocation);
testUsingContext('has correct content and formatting with application template', () async { testUsingContext('has correct content and formatting with applicaiton template', () async {
Cache.flutterRoot = '../..'; Cache.flutterRoot = '../..';
when(mockFlutterVersion.frameworkRevision).thenReturn(frameworkRevision); when(mockFlutterVersion.frameworkRevision).thenReturn(frameworkRevision);
when(mockFlutterVersion.channel).thenReturn(frameworkChannel); when(mockFlutterVersion.channel).thenReturn(frameworkChannel);
......
...@@ -5,7 +5,6 @@ ...@@ -5,7 +5,6 @@
import 'dart:async'; import 'dart:async';
import 'package:flutter_tools/src/base/file_system.dart'; import 'package:flutter_tools/src/base/file_system.dart';
import 'package:flutter_tools/src/base/terminal.dart';
import 'package:flutter_tools/src/doctor.dart'; import 'package:flutter_tools/src/doctor.dart';
import 'package:flutter_tools/src/vscode/vscode.dart'; import 'package:flutter_tools/src/vscode/vscode.dart';
import 'package:flutter_tools/src/vscode/vscode_validator.dart'; import 'package:flutter_tools/src/vscode/vscode_validator.dart';
...@@ -133,7 +132,7 @@ void main() { ...@@ -133,7 +132,7 @@ void main() {
'[!] Partial Validator with only a Hint\n' '[!] Partial Validator with only a Hint\n'
' ! There is a hint here\n' ' ! There is a hint here\n'
'[!] Partial Validator with Errors\n' '[!] Partial Validator with Errors\n'
' ✗ An error message indicating partial installation\n' ' ✗ A error message indicating partial installation\n'
' ! Maybe a hint will help the user\n' ' ! Maybe a hint will help the user\n'
'[✓] Another Passing Validator (with statusInfo)\n' '[✓] Another Passing Validator (with statusInfo)\n'
'\n' '\n'
...@@ -155,7 +154,7 @@ void main() { ...@@ -155,7 +154,7 @@ void main() {
'[!] Partial Validator with only a Hint\n' '[!] Partial Validator with only a Hint\n'
' ! There is a hint here\n' ' ! There is a hint here\n'
'[!] Partial Validator with Errors\n' '[!] Partial Validator with Errors\n'
' ✗ An error message indicating partial installation\n' ' ✗ A error message indicating partial installation\n'
' ! Maybe a hint will help the user\n' ' ! Maybe a hint will help the user\n'
'\n' '\n'
'! Doctor found issues in 4 categories.\n' '! Doctor found issues in 4 categories.\n'
...@@ -184,7 +183,7 @@ void main() { ...@@ -184,7 +183,7 @@ void main() {
' • But there is no error\n' ' • But there is no error\n'
'\n' '\n'
'[!] Partial Validator with Errors\n' '[!] Partial Validator with Errors\n'
' ✗ An error message indicating partial installation\n' ' ✗ A error message indicating partial installation\n'
' ! Maybe a hint will help the user\n' ' ! Maybe a hint will help the user\n'
' • An extra message with some verbose details\n' ' • An extra message with some verbose details\n'
'\n' '\n'
...@@ -193,84 +192,6 @@ void main() { ...@@ -193,84 +192,6 @@ void main() {
}); });
}); });
testUsingContext('validate non-verbose output wrapping', () async {
expect(await FakeDoctor().diagnose(verbose: false), isFalse);
expect(testLogger.statusText, equals(
'Doctor summary (to see all\n'
'details, run flutter doctor\n'
'-v):\n'
'[✓] Passing Validator (with\n'
' statusInfo)\n'
'[✗] Missing Validator\n'
' ✗ A useful error message\n'
' ! A hint message\n'
'[!] Not Available Validator\n'
' ✗ A useful error message\n'
' ! A hint message\n'
'[!] Partial Validator with\n'
' only a Hint\n'
' ! There is a hint here\n'
'[!] Partial Validator with\n'
' Errors\n'
' ✗ An error message\n'
' indicating partial\n'
' installation\n'
' ! Maybe a hint will help\n'
' the user\n'
'\n'
'! Doctor found issues in 4\n'
' categories.\n'
''
));
}, overrides: <Type, Generator>{
OutputPreferences: () => OutputPreferences(wrapText: true, wrapColumn: 30),
});
testUsingContext('validate verbose output wrapping', () async {
expect(await FakeDoctor().diagnose(verbose: true), isFalse);
expect(testLogger.statusText, equals(
'[✓] Passing Validator (with\n'
' statusInfo)\n'
' • A helpful message\n'
' • A second, somewhat\n'
' longer helpful message\n'
'\n'
'[✗] Missing Validator\n'
' ✗ A useful error message\n'
' • A message that is not an\n'
' error\n'
' ! A hint message\n'
'\n'
'[!] Not Available Validator\n'
' ✗ A useful error message\n'
' • A message that is not an\n'
' error\n'
' ! A hint message\n'
'\n'
'[!] Partial Validator with\n'
' only a Hint\n'
' ! There is a hint here\n'
' • But there is no error\n'
'\n'
'[!] Partial Validator with\n'
' Errors\n'
' ✗ An error message\n'
' indicating partial\n'
' installation\n'
' ! Maybe a hint will help\n'
' the user\n'
' • An extra message with\n'
' some verbose details\n'
'\n'
'! Doctor found issues in 4\n'
' categories.\n'
''
));
}, overrides: <Type, Generator>{
OutputPreferences: () => OutputPreferences(wrapText: true, wrapColumn: 30),
});
group('doctor with grouped validators', () { group('doctor with grouped validators', () {
testUsingContext('validate diagnose combines validator output', () async { testUsingContext('validate diagnose combines validator output', () async {
expect(await FakeGroupedDoctor().diagnose(), isTrue); expect(await FakeGroupedDoctor().diagnose(), isTrue);
...@@ -407,7 +328,7 @@ class PartialValidatorWithErrors extends DoctorValidator { ...@@ -407,7 +328,7 @@ class PartialValidatorWithErrors extends DoctorValidator {
@override @override
Future<ValidationResult> validate() async { Future<ValidationResult> validate() async {
final List<ValidationMessage> messages = <ValidationMessage>[]; final List<ValidationMessage> messages = <ValidationMessage>[];
messages.add(ValidationMessage.error('An error message indicating partial installation')); messages.add(ValidationMessage.error('A error message indicating partial installation'));
messages.add(ValidationMessage.hint('Maybe a hint will help the user')); messages.add(ValidationMessage.hint('Maybe a hint will help the user'));
messages.add(ValidationMessage('An extra message with some verbose details')); messages.add(ValidationMessage('An extra message with some verbose details'));
return ValidationResult(ValidationType.partial, messages); return ValidationResult(ValidationType.partial, messages);
......
...@@ -123,7 +123,6 @@ void main() { ...@@ -123,7 +123,6 @@ void main() {
final String appFile = fs.path.join(tempDir.dirname, 'other_app', 'app.dart'); final String appFile = fs.path.join(tempDir.dirname, 'other_app', 'app.dart');
fs.file(appFile).createSync(recursive: true); fs.file(appFile).createSync(recursive: true);
final List<String> args = <String>[ final List<String> args = <String>[
'--no-wrap',
'drive', 'drive',
'--target=$appFile', '--target=$appFile',
]; ];
...@@ -144,7 +143,6 @@ void main() { ...@@ -144,7 +143,6 @@ void main() {
final String appFile = fs.path.join(tempDir.path, 'main.dart'); final String appFile = fs.path.join(tempDir.path, 'main.dart');
fs.file(appFile).createSync(recursive: true); fs.file(appFile).createSync(recursive: true);
final List<String> args = <String>[ final List<String> args = <String>[
'--no-wrap',
'drive', 'drive',
'--target=$appFile', '--target=$appFile',
]; ];
......
...@@ -53,8 +53,6 @@ void main() { ...@@ -53,8 +53,6 @@ void main() {
expect(testLogger.statusText, equals( expect(testLogger.statusText, equals(
'Automatically signing iOS for device deployment using specified development team in Xcode project: abc\n' 'Automatically signing iOS for device deployment using specified development team in Xcode project: abc\n'
)); ));
}, overrides: <Type, Generator>{
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('No auto-sign if security or openssl not available', () async { testUsingContext('No auto-sign if security or openssl not available', () async {
...@@ -90,7 +88,6 @@ void main() { ...@@ -90,7 +88,6 @@ void main() {
}, },
overrides: <Type, Generator>{ overrides: <Type, Generator>{
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test single identity and certificate organization works', () async { testUsingContext('Test single identity and certificate organization works', () async {
...@@ -150,7 +147,6 @@ void main() { ...@@ -150,7 +147,6 @@ void main() {
}, },
overrides: <Type, Generator>{ overrides: <Type, Generator>{
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test Google cert also manually selects a provisioning profile', () async { testUsingContext('Test Google cert also manually selects a provisioning profile', () async {
...@@ -214,7 +210,6 @@ void main() { ...@@ -214,7 +210,6 @@ void main() {
}, },
overrides: <Type, Generator>{ overrides: <Type, Generator>{
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test multiple identity and certificate organization works', () async { testUsingContext('Test multiple identity and certificate organization works', () async {
...@@ -289,7 +284,6 @@ void main() { ...@@ -289,7 +284,6 @@ void main() {
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
Config: () => mockConfig, Config: () => mockConfig,
AnsiTerminal: () => testTerminal, AnsiTerminal: () => testTerminal,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test multiple identity in machine mode works', () async { testUsingContext('Test multiple identity in machine mode works', () async {
...@@ -358,7 +352,6 @@ void main() { ...@@ -358,7 +352,6 @@ void main() {
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
Config: () => mockConfig, Config: () => mockConfig,
AnsiTerminal: () => testTerminal, AnsiTerminal: () => testTerminal,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test saved certificate used', () async { testUsingContext('Test saved certificate used', () async {
...@@ -429,7 +422,6 @@ void main() { ...@@ -429,7 +422,6 @@ void main() {
overrides: <Type, Generator>{ overrides: <Type, Generator>{
ProcessManager: () => mockProcessManager, ProcessManager: () => mockProcessManager,
Config: () => mockConfig, Config: () => mockConfig,
OutputPreferences: () => OutputPreferences(wrapText: false),
}); });
testUsingContext('Test invalid saved certificate shows error and prompts again', () async { testUsingContext('Test invalid saved certificate shows error and prompts again', () async {
......
...@@ -6,7 +6,6 @@ import 'dart:async'; ...@@ -6,7 +6,6 @@ import 'dart:async';
import 'package:flutter_tools/src/base/utils.dart'; import 'package:flutter_tools/src/base/utils.dart';
import 'package:flutter_tools/src/base/version.dart'; import 'package:flutter_tools/src/base/version.dart';
import 'package:flutter_tools/src/base/terminal.dart';
import 'src/common.dart'; import 'src/common.dart';
...@@ -180,143 +179,4 @@ baz=qux ...@@ -180,143 +179,4 @@ baz=qux
expect(snakeCase('ABC'), equals('a_b_c')); expect(snakeCase('ABC'), equals('a_b_c'));
}); });
}); });
group('text wrapping', () {
const int _lineLength = 40;
const String _longLine = 'This is a long line that needs to be wrapped.';
final String _longLineWithNewlines = 'This is a long line with newlines that\n'
'needs to be wrapped.\n\n' +
'0123456789' * 5;
final String _longAnsiLineWithNewlines = '${AnsiTerminal.red}This${AnsiTerminal.reset} is a long line with newlines that\n'
'needs to be wrapped.\n\n'
'${AnsiTerminal.green}0123456789${AnsiTerminal.reset}' +
'0123456789' * 3 +
'${AnsiTerminal.green}0123456789${AnsiTerminal.reset}';
const String _onlyAnsiSequences = '${AnsiTerminal.red}${AnsiTerminal.reset}';
final String _indentedLongLineWithNewlines = ' This is an indented long line with newlines that\n'
'needs to be wrapped.\n\tAnd preserves tabs.\n \n ' +
'0123456789' * 5;
const String _shortLine = 'Short line.';
const String _indentedLongLine = ' This is an indented long line that needs to be '
'wrapped and indentation preserved.';
test('does not wrap short lines.', () {
expect(wrapText(_shortLine, columnWidth: _lineLength), equals(_shortLine));
});
test('does not wrap at all if not given a length', () {
expect(wrapText(_longLine), equals(_longLine));
});
test('able to wrap long lines', () {
expect(wrapText(_longLine, columnWidth: _lineLength), equals('''
This is a long line that needs to be
wrapped.'''));
});
test('wrap long lines with no whitespace', () {
expect(wrapText('0123456789' * 5, columnWidth: _lineLength), equals('''
0123456789012345678901234567890123456789
0123456789'''));
});
test('refuses to wrap to a column smaller than 10 characters', () {
expect(wrapText('$_longLine ' + '0123456789' * 4, columnWidth: 1), equals('''
This is a
long line
that needs
to be
wrapped.
0123456789
0123456789
0123456789
0123456789'''));
});
test('preserves indentation', () {
expect(wrapText(_indentedLongLine, columnWidth: _lineLength), equals('''
This is an indented long line that
needs to be wrapped and indentation
preserved.'''));
});
test('preserves indentation and stripping trailing whitespace', () {
expect(wrapText('$_indentedLongLine ', columnWidth: _lineLength), equals('''
This is an indented long line that
needs to be wrapped and indentation
preserved.'''));
});
test('wraps text with newlines', () {
expect(wrapText(_longLineWithNewlines, columnWidth: _lineLength), equals('''
This is a long line with newlines that
needs to be wrapped.
0123456789012345678901234567890123456789
0123456789'''));
});
test('wraps text with ANSI sequences embedded', () {
expect(wrapText(_longAnsiLineWithNewlines, columnWidth: _lineLength), equals('''
${AnsiTerminal.red}This${AnsiTerminal.reset} is a long line with newlines that
needs to be wrapped.
${AnsiTerminal.green}0123456789${AnsiTerminal.reset}012345678901234567890123456789
${AnsiTerminal.green}0123456789${AnsiTerminal.reset}'''));
});
test('wraps text with only ANSI sequences', () {
expect(wrapText(_onlyAnsiSequences, columnWidth: _lineLength),
equals('${AnsiTerminal.red}${AnsiTerminal.reset}'));
});
test('preserves indentation in the presence of newlines', () {
expect(wrapText(_indentedLongLineWithNewlines, columnWidth: _lineLength), equals('''
This is an indented long line with
newlines that
needs to be wrapped.
\tAnd preserves tabs.
01234567890123456789012345678901234567
890123456789'''));
});
test('removes trailing whitespace when wrapping', () {
expect(wrapText('$_longLine \t', columnWidth: _lineLength), equals('''
This is a long line that needs to be
wrapped.'''));
});
test('honors hangingIndent parameter', () {
expect(wrapText(_longLine, columnWidth: _lineLength, hangingIndent: 6), equals('''
This is a long line that needs to be
wrapped.'''));
});
test('handles hangingIndent with a single unwrapped line.', () {
expect(wrapText(_shortLine, columnWidth: _lineLength, hangingIndent: 6), equals('''
Short line.'''));
});
test('handles hangingIndent with two unwrapped lines and the second is empty.', () {
expect(wrapText('$_shortLine\n', columnWidth: _lineLength, hangingIndent: 6), equals('''
Short line.
'''));
});
test('honors hangingIndent parameter on already indented line.', () {
expect(wrapText(_indentedLongLine, columnWidth: _lineLength, hangingIndent: 6), equals('''
This is an indented long line that
needs to be wrapped and
indentation preserved.'''));
});
test('honors hangingIndent and indent parameters at the same time.', () {
expect(wrapText(_indentedLongLine, columnWidth: _lineLength, indent: 6, hangingIndent: 6), equals('''
This is an indented long line
that needs to be wrapped
and indentation
preserved.'''));
});
test('honors indent parameter on already indented line.', () {
expect(wrapText(_indentedLongLine, columnWidth: _lineLength, indent: 6), equals('''
This is an indented long line
that needs to be wrapped and
indentation preserved.'''));
});
test('honors hangingIndent parameter on already indented line.', () {
expect(wrapText(_indentedLongLineWithNewlines, columnWidth: _lineLength, hangingIndent: 6), equals('''
This is an indented long line with
newlines that
needs to be wrapped.
And preserves tabs.
01234567890123456789012345678901234567
890123456789'''));
});
});
} }
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