Rewrote data parsing using streams.

This commit is contained in:
Erik C. Thauvin 2021-10-16 00:54:06 -07:00
parent 42afc67d46
commit 4ee7ec2127
6 changed files with 273 additions and 223 deletions

2
.gitignore vendored
View file

@ -51,7 +51,6 @@
/**/.idea/**/workspace.xml /**/.idea/**/workspace.xml
/**/.idea/sonarlint* /**/.idea/sonarlint*
/**/.idea_modules/ /**/.idea_modules/
/coverage/
Thumbs.db Thumbs.db
__pycache__ __pycache__
atlassian-ide-plugin.xml atlassian-ide-plugin.xml
@ -60,6 +59,7 @@ bin/dcat.exe
build/ build/
cmake-build-*/ cmake-build-*/
com_crashlytics_export_strings.xml com_crashlytics_export_strings.xml
coverage/
crashlytics-build.properties crashlytics-build.properties
crashlytics.properties crashlytics.properties
dependency-reduced-pom.xml dependency-reduced-pom.xml

View file

@ -11,8 +11,8 @@ import 'package:indent/indent.dart';
const appName = 'dcat'; const appName = 'dcat';
const appVersion = '1.0.0'; const appVersion = '1.0.0';
const helpFlag = 'help'; const helpFlag = 'help';
const nonBlankFlag = 'number-nonblank';
const numberFlag = 'number'; const numberFlag = 'number';
const numberNonBlank = 'number-nonblank';
const showAllFlag = 'show-all'; const showAllFlag = 'show-all';
const showEndsFlag = 'show-ends'; const showEndsFlag = 'show-ends';
const showNonPrintingEndsFlag = 'show-nonprinting-ends'; const showNonPrintingEndsFlag = 'show-nonprinting-ends';
@ -26,13 +26,71 @@ const versionFlag = 'version';
/// ///
/// Usage: `dcat [option] [file]` /// Usage: `dcat [option] [file]`
Future<int> main(List<String> arguments) async { Future<int> main(List<String> arguments) async {
final parser = ArgParser();
exitCode = exitSuccess; exitCode = exitSuccess;
final parser = await setupArgsParser();
final ArgResults argResults;
try {
argResults = parser.parse(arguments);
} on FormatException catch (e) {
return printError(
"${e.message}\nTry '$appName --$helpFlag' for more information.");
}
if (argResults[helpFlag]) {
exitCode = await usage(parser.usage);
} else if (argResults[versionFlag]) {
exitCode = await printVersion();
} else {
final paths = argResults.rest;
var showEnds = argResults[showEndsFlag];
var showTabs = argResults[showTabsFlag];
var showLineNumbers = argResults[numberFlag];
var showNonBlank = argResults[numberNonBlank];
var showNonPrinting = argResults[showNonPrintingFlag];
if (argResults[showNonPrintingEndsFlag]) {
showNonPrinting = showEnds = true;
}
if (argResults[showNonPrintingTabsFlag]) {
showNonPrinting = showTabs = true;
}
if (argResults[showAllFlag]) {
showNonPrinting = showEnds = showTabs = true;
}
if (showNonBlank) {
showLineNumbers = true;
}
final result = await cat(paths, stdout,
input: stdin,
showEnds: showEnds,
showLineNumbers: showLineNumbers,
numberNonBlank: showNonBlank,
showTabs: showTabs,
squeezeBlank: argResults[squeezeBlank],
showNonPrinting: showNonPrinting);
for (final message in result.messages) {
await printError(message);
}
exitCode = result.exitCode;
}
return exitCode;
}
/// Setup the command-line arguments parser.
Future<ArgParser> setupArgsParser() async {
final parser = ArgParser();
parser.addFlag(showAllFlag, parser.addFlag(showAllFlag,
negatable: false, abbr: 'A', help: 'equivalent to -vET'); negatable: false, abbr: 'A', help: 'equivalent to -vET');
parser.addFlag(nonBlankFlag, parser.addFlag(numberNonBlank,
negatable: false, negatable: false,
abbr: 'b', abbr: 'b',
help: 'number nonempty output lines, overrides -n'); help: 'number nonempty output lines, overrides -n');
@ -60,53 +118,7 @@ Future<int> main(List<String> arguments) async {
abbr: 'v', abbr: 'v',
help: 'use ^ and U+ notation, except for LFD and TAB'); help: 'use ^ and U+ notation, except for LFD and TAB');
final ArgResults argResults; return parser;
try {
argResults = parser.parse(arguments);
} on FormatException catch (e) {
return printError(
"${e.message}\nTry '$appName --$helpFlag' for more information.");
}
if (argResults[helpFlag]) {
exitCode = await usage(parser.usage);
} else if (argResults[versionFlag]) {
exitCode = await printVersion();
} else {
final paths = argResults.rest;
var showEnds = argResults[showEndsFlag];
var showTabs = argResults[showTabsFlag];
var showNonPrinting = argResults[showNonPrintingFlag];
if (argResults[showNonPrintingEndsFlag]) {
showNonPrinting = showEnds = true;
}
if (argResults[showNonPrintingTabsFlag]) {
showNonPrinting = showTabs = true;
}
if (argResults[showAllFlag]) {
showNonPrinting = showEnds = showTabs = true;
}
final result = await cat(paths, stdout,
input: stdin,
showEnds: showEnds,
showLineNumbers: argResults[numberFlag],
numberNonBlank: argResults[nonBlankFlag],
showTabs: showTabs,
squeezeBlank: argResults[squeezeBlank],
showNonPrinting: showNonPrinting);
for (final message in result.messages) {
await printError(message);
}
exitCode = result.exitCode;
}
return exitCode;
} }
/// Prints the error [message] to [stderr]. /// Prints the error [message] to [stderr].

View file

@ -8,19 +8,31 @@ library dcat;
import 'dart:convert'; import 'dart:convert';
import 'dart:io'; import 'dart:io';
/// Failure exit code.
const exitFailure = 1; const exitFailure = 1;
/// Success exit code.
const exitSuccess = 0; const exitSuccess = 0;
const _lineFeed = 10;
/// Holds the [cat] result [exitCode] and error [messages]. /// Holds the [cat] result [exitCode] and error [messages].
class CatResult { class CatResult {
/// The exit code. /// The exit code.
int exitCode = exitSuccess; int exitCode = exitSuccess;
/// The error messages. /// The error messages.
final List<String> messages = []; final List<String> messages = [];
CatResult(); CatResult();
/// Add a message. /// Returns `true` if the [exitCode] is [exitFailure].
bool get isFailure => exitCode == exitFailure;
/// Returns `true` if the [exitCode] is [exitSuccess].
bool get isSuccess => exitCode == exitSuccess;
/// Add a message with an optional path.
void addMessage(int exitCode, String message, {String? path}) { void addMessage(int exitCode, String message, {String? path}) {
this.exitCode = exitCode; this.exitCode = exitCode;
if (path != null && path.isNotEmpty) { if (path != null && path.isNotEmpty) {
@ -31,40 +43,35 @@ class CatResult {
} }
} }
/// Concatenates files in [paths] to [stdout] or [File]. // Holds the current line number and last character.
class _LastLine {
int lineNumber;
int lastChar;
_LastLine(this.lineNumber, this.lastChar);
}
/// Concatenates files in [paths] to the standard output or a file.
/// ///
/// * [output] should be an [IOSink] like [stdout] or a [File]. /// * [output] should be an [IOSink] such as [stdout] or [File.openWrite].
/// * [input] can be [stdin]. /// * [input] can be [stdin].
/// * [log] is used for debugging/testing purposes.
/// ///
/// The remaining optional parameters are similar to the [GNU cat utility](https://www.gnu.org/software/coreutils/manual/html_node/cat-invocation.html#cat-invocation). /// The remaining optional parameters are similar to the [GNU cat utility](https://www.gnu.org/software/coreutils/manual/html_node/cat-invocation.html#cat-invocation).
Future<CatResult> cat(List<String> paths, Object output, Future<CatResult> cat(List<String> paths, IOSink output,
{Stream<List<int>>? input, {Stream<List<int>>? input,
List<String>? log,
bool showEnds = false, bool showEnds = false,
bool numberNonBlank = false, bool numberNonBlank = false,
bool showLineNumbers = false, bool showLineNumbers = false,
bool showTabs = false, bool showTabs = false,
bool squeezeBlank = false, bool squeezeBlank = false,
bool showNonPrinting = false}) async { bool showNonPrinting = false}) async {
var result = CatResult(); final result = CatResult();
var lineNumber = 1; final lastLine = _LastLine(0, _lineFeed);
log?.clear();
if (paths.isEmpty) { if (paths.isEmpty) {
if (input != null) { if (input != null) {
final lines = await _readStream(input);
try { try {
await _writeLines( await _writeStream(input, lastLine, output, showEnds, showLineNumbers,
lines, numberNonBlank, showTabs, squeezeBlank, showNonPrinting);
lineNumber,
output,
log,
showEnds,
showLineNumbers,
numberNonBlank,
showTabs,
squeezeBlank,
showNonPrinting);
} catch (e) { } catch (e) {
result.addMessage(exitFailure, '$e'); result.addMessage(exitFailure, '$e');
} }
@ -72,25 +79,14 @@ Future<CatResult> cat(List<String> paths, Object output,
} else { } else {
for (final path in paths) { for (final path in paths) {
try { try {
final Stream<String> lines; final Stream<List<int>> stream;
if (path == '-' && input != null) { if (path == '-' && input != null) {
lines = await _readStream(input); stream = input;
} else { } else {
lines = utf8.decoder stream = File(path).openRead();
.bind(File(path).openRead())
.transform(const LineSplitter());
} }
lineNumber = await _writeLines( await _writeStream(stream, lastLine, output, showEnds, showLineNumbers,
lines, numberNonBlank, showTabs, squeezeBlank, showNonPrinting);
lineNumber,
output,
log,
showEnds,
showLineNumbers,
numberNonBlank,
showTabs,
squeezeBlank,
showNonPrinting);
} on FileSystemException catch (e) { } on FileSystemException catch (e) {
final String? osMessage = e.osError?.message; final String? osMessage = e.osError?.message;
final String message; final String message;
@ -111,80 +107,77 @@ Future<CatResult> cat(List<String> paths, Object output,
return result; return result;
} }
/// Parses line with non-printing characters. // Writes parsed data from a stream
Future<String> _parseNonPrinting(String line, bool showTabs) async { Future<void> _writeStream(
Stream stream,
_LastLine lastLine,
IOSink out,
bool showEnds,
bool showLineNumbers,
bool numberNonBlank,
bool showTabs,
bool squeezeBlank,
bool showNonPrinting) async {
const tab = 9;
int squeeze = 0;
final sb = StringBuffer(); final sb = StringBuffer();
for (var ch in line.runes) { await stream.forEach((data) {
if (ch >= 32) {
if (ch < 127) {
sb.writeCharCode(ch);
} else if (ch == 127) {
sb.write('^?');
} else {
sb.write('U+' + ch.toRadixString(16).padLeft(4, '0').toUpperCase());
}
} else if (ch == 9 && !showTabs) {
sb.write('\t');
} else {
sb
..write('^')
..writeCharCode(ch + 64);
}
}
return sb.toString();
}
/// Reads from stream (stdin, etc.)
Future<Stream<String>> _readStream(Stream<List<int>> input) async =>
input.transform(utf8.decoder).transform(const LineSplitter());
/// Writes lines to stdout.
Future<int> _writeLines(Stream<String> lines, int lineNumber, Object out,
[List<String>? log,
bool showEnds = false,
bool showLineNumbers = false,
bool showNonBlank = false,
bool showTabs = false,
bool squeezeBlank = false,
bool showNonPrinting = false]) async {
var emptyLine = 0;
final sb = StringBuffer();
await for (final line in lines) {
sb.clear(); sb.clear();
if (squeezeBlank && line.isEmpty) { for (final ch in utf8.decode(data).runes) {
if (++emptyLine >= 2) { if (lastLine.lastChar == _lineFeed) {
continue; if (squeezeBlank) {
if (ch == _lineFeed) {
if (squeeze >= 1) {
lastLine.lastChar = ch;
continue;
}
squeeze++;
} else {
squeeze = 0;
}
}
if (showLineNumbers || numberNonBlank) {
if (!numberNonBlank || ch != _lineFeed) {
sb.write('${++lastLine.lineNumber}'.padLeft(6) + '\t');
}
}
} }
} else { lastLine.lastChar = ch;
emptyLine = 0; if (ch == _lineFeed) {
} if (showEnds) {
if (showLineNumbers || (showNonBlank && line.isNotEmpty)) { sb.write('\$');
sb.write('${lineNumber++} '.padLeft(8)); }
} } else if (ch == tab) {
if (showTabs) {
if (showNonPrinting) { sb.write('^I');
sb.write(await _parseNonPrinting(line, showTabs)); continue;
} else if (showTabs) { }
sb.write(line.replaceAll('\t', '^I')); } else if (showNonPrinting) {
} else { if (ch >= 32) {
sb.write(line); if (ch < 127) {
} // ASCII
sb.writeCharCode(ch);
if (showEnds) { continue;
sb.write('\$'); } else if (ch == 127) {
} // NULL
sb.write('^?');
log?.add(sb.toString()); continue;
} else {
try { // UNICODE
if (out is IOSink) { sb.write('U+' + ch.toRadixString(16).padLeft(4, '0').toUpperCase());
out.writeln(sb); continue;
} else if (out is File) { }
await out.writeAsString("$sb\n", mode: FileMode.append); } else {
sb
..write('^')
..writeCharCode(ch + 64);
continue;
}
} }
} catch (e) { sb.writeCharCode(ch);
rethrow;
} }
} if (sb.isNotEmpty) {
return lineNumber; out.write(sb);
} }
});
}

View file

@ -274,6 +274,13 @@ packages:
url: "https://pub.dartlang.org" url: "https://pub.dartlang.org"
source: hosted source: hosted
version: "1.1.0" version: "1.1.0"
string_splitter:
dependency: "direct main"
description:
name: string_splitter
url: "https://pub.dartlang.org"
source: hosted
version: "1.0.0+1"
term_glyph: term_glyph:
dependency: transitive dependency: transitive
description: description:

View file

@ -12,3 +12,4 @@ dev_dependencies:
dependencies: dependencies:
args: ^2.3.0 args: ^2.3.0
indent: ^2.0.0 indent: ^2.0.0
string_splitter: ^1.0.0+1

View file

@ -10,16 +10,16 @@ import 'package:test/test.dart';
import '../bin/dcat.dart' as app; import '../bin/dcat.dart' as app;
void main() { void main() {
const sampleBinary = 'test/test.7z';
const sampleFile = 'test/test.txt';
const sampleText = 'This is a test';
const sourceFile = 'bin/dcat.dart';
int exitCode; int exitCode;
final List<String> log = [];
final sampleBinary = 'test/test.7z';
final sampleFile = 'test/test.txt';
final sampleText = 'This is a test';
final sourceFile = 'bin/dcat.dart';
final tempDir = Directory.systemTemp.createTempSync(); final tempDir = Directory.systemTemp.createTempSync();
Stream<List<int>> mockStdin() async* { Stream<List<int>> mockStdin({String text = sampleText}) async* {
yield sampleText.codeUnits; yield text.codeUnits;
} }
File tmpFile() => File tmpFile() =>
@ -66,64 +66,83 @@ void main() {
}); });
group('lib', () { group('lib', () {
test('Test CatResult', () async {
final result = CatResult();
expect(result.isSuccess, true, reason: 'success by default');
result.addMessage(exitFailure, sampleText);
expect(result.isFailure, true, reason: 'is failure');
expect(result.messages.first, equals(sampleText), reason: 'message is sample');
});
test('Test cat source', () async { test('Test cat source', () async {
await cat([sourceFile], stdout, log: log); final tmp = tmpFile();
expect(log.isEmpty, false, reason: 'log is empty'); await cat([sourceFile], tmp.openWrite());
expect(log.first, startsWith('// Copyright (c)'), final lines = await tmp.readAsLines();
expect(lines.isEmpty, false, reason: 'log is empty');
expect(lines.first, startsWith('// Copyright (c)'),
reason: 'has copyright'); reason: 'has copyright');
expect(log.last, equals('}')); expect(lines.last, equals('}'));
}); });
test('Test cat -n source', () async { test('Test cat -n source', () async {
final tmp = tmpFile();
final result = final result =
await cat([sourceFile], stdout, log: log, showLineNumbers: true); await cat([sourceFile], tmp.openWrite(), showLineNumbers: true);
expect(result.exitCode, 0, reason: 'result code is 0'); expect(result.exitCode, 0, reason: 'result code is 0');
expect(log.first, startsWith(' 1 // Copyright (c)'), final lines = await tmp.readAsLines();
expect(lines.first, startsWith(' 1\t// Copyright (c)'),
reason: 'has copyright'); reason: 'has copyright');
expect(log.last, endsWith(' }'), reason: 'last line'); expect(lines.last, endsWith('\t}'), reason: 'last line');
for (final String line in log) { for (final line in lines) {
expect(line, matches('^ +\\d+ .*'), reason: 'has line number'); expect(line, matches('^ +\\d+\t.*'), reason: 'has line number');
} }
}); });
test('Test cat source test', () async { test('Test cat source test', () async {
await cat([sourceFile, sampleFile], stdout, log: log); final tmp = tmpFile();
expect(log.length, greaterThan(10), reason: 'more than 10 lines'); await cat([sourceFile, sampleFile], tmp.openWrite());
expect(log.first, startsWith('// Copyright'), final lines = await tmp.readAsLines();
expect(lines.length, greaterThan(10), reason: 'more than 10 lines');
expect(lines.first, startsWith('// Copyright'),
reason: 'start with copyright'); reason: 'start with copyright');
expect(log.last, endsWith(''), reason: 'end with checkmark'); expect(lines.last, endsWith(''), reason: 'end with checkmark');
}); });
test('Test cat -E', () async { test('Test cat -E', () async {
await cat([sampleFile], stdout, log: log, showEnds: true); final tmp = tmpFile();
await cat([sampleFile], tmp.openWrite(), showEnds: true);
var hasBlank = false; var hasBlank = false;
for (final String line in log) { final lines = await tmp.readAsLines();
expect(line, endsWith('\$')); for (var i = 0; i < lines.length - 1; i++) {
if (line == '\$') { expect(lines[i], endsWith('\$'));
if (lines[i] == '\$') {
hasBlank = true; hasBlank = true;
} }
} }
expect(hasBlank, true, reason: 'has blank line'); expect(hasBlank, true, reason: 'has blank line');
expect(log.last, endsWith('\$'), reason: 'has unicode'); expect(lines.last, endsWith(''), reason: 'has unicode');
}); });
test('Test cat -bE', () async { test('Test cat -bE', () async {
await cat([sampleFile], stdout, final tmp = tmpFile();
log: log, numberNonBlank: true, showEnds: true); await cat([sampleFile], tmp.openWrite(),
var hasBlank = false; numberNonBlank: true, showEnds: true);
for (final String line in log) { final lines = await tmp.readAsLines();
expect(line, endsWith('\$')); for (var i = 0; i < lines.length - 1; i++) {
if (line.contains(RegExp(r'^ +\d+ .*\$$'))) { expect(lines[i], endsWith('\$'), reason: '${lines[i]} ends with \$');
hasBlank = true; if (lines[i] != '\$') {
expect(lines[i], contains(RegExp(r'^ +\d+\t.*\$$')),
reason: '${lines[i]} is valid');
} }
} }
expect(hasBlank, true, reason: 'has blank line');
}); });
test('Test cat -T', () async { test('Test cat -T', () async {
await cat([sampleFile], stdout, log: log, showTabs: true); final tmp = tmpFile();
await cat([sampleFile], tmp.openWrite(), showTabs: true);
var hasTab = false; var hasTab = false;
for (final String line in log) { final lines = await tmp.readAsLines();
for (final String line in lines) {
if (line.startsWith('^I')) { if (line.startsWith('^I')) {
hasTab = true; hasTab = true;
break; break;
@ -133,10 +152,12 @@ void main() {
}); });
test('Test cat -s', () async { test('Test cat -s', () async {
await cat([sampleFile], stdout, log: log, squeezeBlank: true); final tmp = tmpFile();
await cat([sampleFile], tmp.openWrite(), squeezeBlank: true);
var hasSqueeze = true; var hasSqueeze = true;
var prevLine = 'foo'; var prevLine = 'foo';
for (final String line in log) { final lines = await tmp.readAsLines();
for (final String line in lines) {
if (line == prevLine) { if (line == prevLine) {
hasSqueeze = false; hasSqueeze = false;
} }
@ -146,27 +167,34 @@ void main() {
}); });
test('Test cat -A', () async { test('Test cat -A', () async {
await cat([sampleFile], stdout, final tmp = tmpFile();
log: log, showNonPrinting: true, showEnds: true, showTabs: true); await cat([sampleFile], tmp.openWrite(),
expect(log.last, equals('^I^A^B^C^DU+00A9^?U+0080U+2713\$')); showNonPrinting: true, showEnds: true, showTabs: true);
final lines = await tmp.readAsLines();
expect(lines.first, endsWith('\$'), reason: '\$ at end.');
expect(lines.last, equals('^I^A^B^C^DU+00A9^?U+0080U+2713'),
reason: "no last linefeed");
}); });
test('Test cat -t', () async { test('Test cat -t', () async {
await cat([sampleFile], stdout, final tmp = tmpFile();
log: log, showNonPrinting: true, showTabs: true); await cat([sampleFile], tmp.openWrite(),
expect(log.last, equals('^I^A^B^C^DU+00A9^?U+0080U+2713')); showNonPrinting: true, showTabs: true);
final lines = await tmp.readAsLines();
expect(lines.last, equals('^I^A^B^C^DU+00A9^?U+0080U+2713'));
}); });
test('Test cat-Abs', () async { test('Test cat -Abs', () async {
await cat([sampleFile], stdout, final tmp = tmpFile();
log: log, await cat([sampleFile], tmp.openWrite(),
showNonPrinting: true, showNonPrinting: true,
showEnds: true, showEnds: true,
showTabs: true, showTabs: true,
numberNonBlank: true, numberNonBlank: true,
squeezeBlank: true); squeezeBlank: true);
var blankLines = 0; var blankLines = 0;
for (final String line in log) { final lines = await tmp.readAsLines();
for (final String line in lines) {
if (line == '\$') { if (line == '\$') {
blankLines++; blankLines++;
} }
@ -175,23 +203,25 @@ void main() {
}); });
test('Test cat -v', () async { test('Test cat -v', () async {
await cat([sampleFile], stdout, log: log, showNonPrinting: true); final tmp = tmpFile();
await cat([sampleFile], tmp.openWrite(), showNonPrinting: true);
var hasTab = false; var hasTab = false;
for (final String line in log) { final lines = await tmp.readAsLines();
for (final String line in lines) {
if (line.contains('\t')) { if (line.contains('\t')) {
hasTab = true; hasTab = true;
break; break;
} }
} }
expect(hasTab, true, reason: "has real tab"); expect(hasTab, true, reason: "has real tab");
expect(log.last, equals('\t^A^B^C^DU+00A9^?U+0080U+2713'), expect(lines.last, equals('\t^A^B^C^DU+00A9^?U+0080U+2713'),
reason: 'non-printing'); reason: 'non-printing');
}); });
test('Test cat to file', () async { test('Test cat to file', () async {
final tmp = tmpFile(); final tmp = tmpFile();
final result = await cat([sampleFile], tmp, log: log); final result = await cat([sampleFile], tmp.openWrite());
expect(result.exitCode, exitSuccess, reason: 'result code is success'); expect(result.isSuccess, true, reason: 'result code is success');
expect(result.messages.length, 0, reason: 'messages is empty'); expect(result.messages.length, 0, reason: 'messages is empty');
expect(await tmp.exists(), true, reason: 'tmp file exists'); expect(await tmp.exists(), true, reason: 'tmp file exists');
expect(await tmp.length(), greaterThan(0), expect(await tmp.length(), greaterThan(0),
@ -202,9 +232,8 @@ void main() {
}); });
test('Test cat with file and binary', () async { test('Test cat with file and binary', () async {
final tmp = tmpFile(); final result = await cat([sampleFile, sampleBinary], stdout);
final result = await cat([sampleFile, sampleBinary], tmp, log: log); expect(result.isFailure, true, reason: 'result code is failure');
expect(result.exitCode, exitFailure, reason: 'result code is failure');
expect(result.messages.length, 1, reason: 'as one message'); expect(result.messages.length, 1, reason: 'as one message');
expect(result.messages.first, contains('Binary'), expect(result.messages.first, contains('Binary'),
reason: 'message contains binary'); reason: 'message contains binary');
@ -212,25 +241,33 @@ void main() {
test('Test empty stdin', () async { test('Test empty stdin', () async {
final tmp = tmpFile(); final tmp = tmpFile();
var result = await cat([], tmp, input: Stream.empty()); var result = await cat([], tmp.openWrite(), input: Stream.empty());
expect(result.exitCode, exitSuccess, reason: 'cat() is successful'); expect(result.exitCode, exitSuccess, reason: 'cat() is successful');
expect(result.messages.length, 0, reason: 'cat() has no message'); expect(result.messages.length, 0, reason: 'cat() has no message');
result = await cat(['-'], tmp, input: Stream.empty()); result = await cat(['-'], tmp.openWrite(), input: Stream.empty());
expect(result.exitCode, exitSuccess, reason: 'cat(-) is successful'); expect(result.exitCode, exitSuccess, reason: 'cat(-) is successful');
expect(result.messages.length, 0, reason: 'cat(-) no message'); expect(result.messages.length, 0, reason: 'cat(-) no message');
}); });
test('Test cat with stdin', () async { test('Test cat -', () async {
var tmp = tmpFile(); var tmp = tmpFile();
var result = await cat(['-'], tmp, input: mockStdin()); final result = await cat(['-'], tmp.openWrite(), input: mockStdin());
expect(result.exitCode, exitSuccess, reason: 'result code is failure'); expect(result.exitCode, exitSuccess, reason: 'result code is successful');
expect(result.messages.length, 0, reason: 'no message'); expect(result.messages.length, 0, reason: 'no message');
var lines = await tmp.readAsLines();
tmp = tmpFile(); tmp = tmpFile();
expect(await tmp.exists(), false, reason: 'tmp file does not exists'); expect(await tmp.exists(), false, reason: 'tmp file does not exists');
result = await cat([], tmp, input: mockStdin()); });
test('Test cat()', () async {
var tmp = tmpFile();
await cat([], tmp.openWrite(), input: mockStdin());
var lines = await tmp.readAsLines();
expect(lines.first, equals(sampleText), reason: 'cat() is sample text'); expect(lines.first, equals(sampleText), reason: 'cat() is sample text');
tmp = tmpFile();
await cat([], tmp.openWrite(), input: mockStdin(text: "Line 1\nLine 2"));
lines = await tmp.readAsLines();
expect(lines.length, 2, reason: "two lines");
}); });
}); });
} }