Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(683)

Side by Side Diff: utils/tests/pub/test_pub.dart

Issue 11308212: Add an initial "pub lish" command. (Closed) Base URL: https://dart.googlecode.com/svn/branches/bleeding_edge/dart
Patch Set: Code review changes Created 8 years ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch | Annotate | Revision Log
« no previous file with comments | « utils/tests/pub/pub_test.dart ('k') | no next file » | no next file with comments »
Toggle Intra-line Diffs ('i') | Expand Comments ('e') | Collapse Comments ('c') | Show Comments Hide Comments ('s')
OLDNEW
1 // Copyright (c) 2012, the Dart project authors. Please see the AUTHORS file 1 // Copyright (c) 2012, the Dart project authors. Please see the AUTHORS file
2 // for details. All rights reserved. Use of this source code is governed by a 2 // for details. All rights reserved. Use of this source code is governed by a
3 // BSD-style license that can be found in the LICENSE file. 3 // BSD-style license that can be found in the LICENSE file.
4 4
5 /** 5 /**
6 * Test infrastructure for testing pub. Unlike typical unit tests, most pub 6 * Test infrastructure for testing pub. Unlike typical unit tests, most pub
7 * tests are integration tests that stage some stuff on the file system, run 7 * tests are integration tests that stage some stuff on the file system, run
8 * pub, and then validate the results. This library provides an API to build 8 * pub, and then validate the results. This library provides an API to build
9 * tests like that. 9 * tests like that.
10 */ 10 */
11 library test_pub; 11 library test_pub;
12 12
13 import 'dart:io'; 13 import 'dart:io';
14 import 'dart:isolate'; 14 import 'dart:isolate';
15 import 'dart:json'; 15 import 'dart:json';
16 import 'dart:math'; 16 import 'dart:math';
17 import 'dart:uri'; 17 import 'dart:uri';
18 18
19 import '../../../pkg/oauth2/lib/oauth2.dart' as oauth2;
19 import '../../../pkg/unittest/lib/unittest.dart'; 20 import '../../../pkg/unittest/lib/unittest.dart';
20 import '../../lib/file_system.dart' as fs; 21 import '../../lib/file_system.dart' as fs;
21 import '../../pub/git_source.dart'; 22 import '../../pub/git_source.dart';
22 import '../../pub/hosted_source.dart'; 23 import '../../pub/hosted_source.dart';
23 import '../../pub/io.dart'; 24 import '../../pub/io.dart';
24 import '../../pub/sdk_source.dart'; 25 import '../../pub/sdk_source.dart';
25 import '../../pub/utils.dart'; 26 import '../../pub/utils.dart';
26 import '../../pub/yaml/yaml.dart'; 27 import '../../pub/yaml/yaml.dart';
27 28
28 /** 29 /**
(...skipping 328 matching lines...) Expand 10 before | Expand all | Expand 10 after
357 contents.add(packageCacheDir(name, version)); 358 contents.add(packageCacheDir(name, version));
358 } 359 }
359 }); 360 });
360 return dir(cachePath, [ 361 return dir(cachePath, [
361 dir('hosted', [ 362 dir('hosted', [
362 async(port.transform((p) => dir('localhost%58$p', contents))) 363 async(port.transform((p) => dir('localhost%58$p', contents)))
363 ]) 364 ])
364 ]); 365 ]);
365 } 366 }
366 367
368 /// Describes the file in the system cache that contains the client's OAuth2
369 /// credentials. The URL "/token" on [server] will be used as the token
370 /// endpoint for refreshing the access token.
371 Descriptor credentialsFile(
372 ScheduledServer server,
373 String accessToken,
374 {String refreshToken,
375 Date expiration}) {
376 return async(server.url.transform((url) {
377 return dir(cachePath, [
378 file('credentials.json', new oauth2.Credentials(
379 accessToken,
380 refreshToken,
381 url.resolve('/token'),
382 ['https://www.googleapis.com/auth/userinfo.email'],
383 expiration).toJson())
384 ]);
385 }));
386 }
387
367 /** 388 /**
368 * Describes the application directory, containing only a pubspec specifying the 389 * Describes the application directory, containing only a pubspec specifying the
369 * given [dependencies]. 390 * given [dependencies].
370 */ 391 */
371 DirectoryDescriptor appDir(List dependencies) => 392 DirectoryDescriptor appDir(List dependencies) =>
372 dir(appPath, [appPubspec(dependencies)]); 393 dir(appPath, [appPubspec(dependencies)]);
373 394
374 /** 395 /**
375 * Converts a list of dependencies as passed to [package] into a hash as used in 396 * Converts a list of dependencies as passed to [package] into a hash as used in
376 * a pubspec. 397 * a pubspec.
(...skipping 76 matching lines...) Expand 10 before | Expand all | Expand 10 after
453 * The list of events that are scheduled to run as part of the test case. 474 * The list of events that are scheduled to run as part of the test case.
454 */ 475 */
455 List<_ScheduledEvent> _scheduled; 476 List<_ScheduledEvent> _scheduled;
456 477
457 /** 478 /**
458 * The list of events that are scheduled to run after the test case, even if it 479 * The list of events that are scheduled to run after the test case, even if it
459 * failed. 480 * failed.
460 */ 481 */
461 List<_ScheduledEvent> _scheduledCleanup; 482 List<_ScheduledEvent> _scheduledCleanup;
462 483
484 /// The list of events that are scheduled to run after the test case only if it
485 /// failed.
486 List<_ScheduledEvent> _scheduledOnException;
487
463 /** 488 /**
464 * Set to true when the current batch of scheduled events should be aborted. 489 * Set to true when the current batch of scheduled events should be aborted.
465 */ 490 */
466 bool _abortScheduled = false; 491 bool _abortScheduled = false;
467 492
468 /** 493 /**
469 * Runs all the scheduled events for a test case. This should only be called 494 * Runs all the scheduled events for a test case. This should only be called
470 * once per test case. 495 * once per test case.
471 */ 496 */
472 void run() { 497 void run() {
473 var createdSandboxDir; 498 var createdSandboxDir;
474 499
475 var asyncDone = expectAsync0(() {}); 500 var asyncDone = expectAsync0(() {});
476 501
477 Future cleanup() { 502 Future cleanup() {
478 return _runScheduled(createdSandboxDir, _scheduledCleanup).chain((_) { 503 return _runScheduled(createdSandboxDir, _scheduledCleanup).chain((_) {
479 _scheduled = null; 504 _scheduled = null;
505 _scheduledCleanup = null;
506 _scheduledOnException = null;
480 if (createdSandboxDir != null) return deleteDir(createdSandboxDir); 507 if (createdSandboxDir != null) return deleteDir(createdSandboxDir);
481 return new Future.immediate(null); 508 return new Future.immediate(null);
482 }); 509 });
483 } 510 }
484 511
485 final future = _setUpSandbox().chain((sandboxDir) { 512 final future = _setUpSandbox().chain((sandboxDir) {
486 createdSandboxDir = sandboxDir; 513 createdSandboxDir = sandboxDir;
487 return _runScheduled(sandboxDir, _scheduled); 514 return _runScheduled(sandboxDir, _scheduled);
488 }); 515 });
489 516
490 future.handleException((error) { 517 future.handleException((error) {
491 // If an error occurs during testing, delete the sandbox, throw the error so 518 // If an error occurs during testing, delete the sandbox, throw the error so
492 // that the test framework sees it, then finally call asyncDone so that the 519 // that the test framework sees it, then finally call asyncDone so that the
493 // test framework knows we're done doing asynchronous stuff. 520 // test framework knows we're done doing asynchronous stuff.
494 cleanup().then((_) => registerException(error, future.stackTrace)); 521 var future = _runScheduled(createdSandboxDir, _scheduledOnException)
522 .chain((_) => cleanup());
523 future.handleException((e) {
524 print("Exception while cleaning up: $e");
525 print(future.stackTrace);
526 registerException(error, future.stackTrace);
527 return true;
528 });
529 future.then((_) => registerException(error, future.stackTrace));
495 return true; 530 return true;
496 }); 531 });
497 532
498 future.chain((_) => cleanup()).then((_) { 533 future.chain((_) => cleanup()).then((_) {
499 asyncDone(); 534 asyncDone();
500 }); 535 });
501 } 536 }
502 537
503 /// Get the path to the root "util/test/pub" directory containing the pub tests. 538 /// Get the path to the root "util/test/pub" directory containing the pub tests.
504 String get testDirectory { 539 String get testDirectory {
505 var dir = new Path.fromNative(new Options().script); 540 var dir = new Path.fromNative(new Options().script);
506 while (dir.filename != 'pub') dir = dir.directoryPath; 541 while (dir.filename != 'pub') dir = dir.directoryPath;
507 542
508 return new File(dir.toNativePath()).fullPathSync(); 543 return new File(dir.toNativePath()).fullPathSync();
509 } 544 }
510 545
511 /** 546 /**
512 * Schedules a call to the Pub command-line utility. Runs Pub with [args] and 547 * Schedules a call to the Pub command-line utility. Runs Pub with [args] and
513 * validates that its results match [output], [error], and [exitCode]. 548 * validates that its results match [output], [error], and [exitCode].
514 */ 549 */
515 void schedulePub({List<String> args, Pattern output, Pattern error, 550 void schedulePub({List<String> args, Pattern output, Pattern error,
516 int exitCode: 0}) { 551 Future<Uri> tokenEndpoint, int exitCode: 0}) {
517 _schedule((sandboxDir) { 552 _schedule((sandboxDir) {
518 String pathInSandbox(path) => join(getFullPath(sandboxDir), path); 553 return _doPub(runProcess, sandboxDir, args, tokenEndpoint)
519 554 .transform((result) {
520 return ensureDir(pathInSandbox(appPath)).chain((_) {
521 // Find a Dart executable we can use to spawn. Use the same one that was
522 // used to run this script itself.
523 var dartBin = new Options().executable;
524
525 // If the executable looks like a path, get its full path. That way we
526 // can still find it when we spawn it with a different working directory.
527 if (dartBin.contains(Platform.pathSeparator)) {
528 dartBin = new File(dartBin).fullPathSync();
529 }
530
531 // Find the main pub entrypoint.
532 var pubPath = fs.joinPaths(testDirectory, '../../pub/pub.dart');
533
534 var dartArgs =
535 ['--enable-type-checks', '--enable-asserts', pubPath, '--trace'];
536 dartArgs.addAll(args);
537
538 var environment = {
539 'PUB_CACHE': pathInSandbox(cachePath),
540 'DART_SDK': pathInSandbox(sdkPath)
541 };
542
543 return runProcess(dartBin, dartArgs, workingDir: pathInSandbox(appPath),
544 environment: environment);
545 }).transform((result) {
546 var failures = []; 555 var failures = [];
547 556
548 _validateOutput(failures, 'stdout', output, result.stdout); 557 _validateOutput(failures, 'stdout', output, result.stdout);
549 _validateOutput(failures, 'stderr', error, result.stderr); 558 _validateOutput(failures, 'stderr', error, result.stderr);
550 559
551 if (result.exitCode != exitCode) { 560 if (result.exitCode != exitCode) {
552 failures.add( 561 failures.add(
553 'Pub returned exit code ${result.exitCode}, expected $exitCode.'); 562 'Pub returned exit code ${result.exitCode}, expected $exitCode.');
554 } 563 }
555 564
(...skipping 15 matching lines...) Expand all
571 /** 580 /**
572 * A shorthand for [schedulePub] and [run] when no validation needs to be done 581 * A shorthand for [schedulePub] and [run] when no validation needs to be done
573 * after Pub has been run. 582 * after Pub has been run.
574 */ 583 */
575 void runPub({List<String> args, Pattern output, Pattern error, 584 void runPub({List<String> args, Pattern output, Pattern error,
576 int exitCode: 0}) { 585 int exitCode: 0}) {
577 schedulePub(args: args, output: output, error: error, exitCode: exitCode); 586 schedulePub(args: args, output: output, error: error, exitCode: exitCode);
578 run(); 587 run();
579 } 588 }
580 589
590 /// Starts a Pub process and returns a [ScheduledProcess] that supports
591 /// interaction with that process.
592 ScheduledProcess startPub({List<String> args}) {
593 var process = _scheduleValue((sandboxDir) =>
594 _doPub(startProcess, sandboxDir, args));
595 return new ScheduledProcess("pub", process);
596 }
597
598 /// Like [startPub], but runs `pub lish` in particular with [server] used both
599 /// as the OAuth2 server (with "/token" as the token endpoint) and as the
600 /// package server.
601 ScheduledProcess startPubLish(ScheduledServer server, {List<String> args}) {
602 var process = _scheduleValue((sandboxDir) {
603 return server.url.chain((url) {
604 var tokenEndpoint = url.resolve('/token');
605 if (args == null) args = [];
606 args = flatten(['lish', '--server', url.toString(), args]);
607 return _doPub(startProcess, sandboxDir, args, tokenEndpoint);
608 });
609 });
610 return new ScheduledProcess("pub lish", process);
611 }
612
613 /// Calls [fn] with appropriately modified arguments to run a pub process. [fn]
614 /// should have the same signature as [startProcess], except that the returned
615 /// [Future] may have a type other than [Process].
616 Future _doPub(Function fn, sandboxDir, List<String> args, Uri tokenEndpoint) {
617 String pathInSandbox(path) => join(getFullPath(sandboxDir), path);
618
619 return ensureDir(pathInSandbox(appPath)).chain((_) {
620 // Find a Dart executable we can use to spawn. Use the same one that was
621 // used to run this script itself.
622 var dartBin = new Options().executable;
623
624 // If the executable looks like a path, get its full path. That way we
625 // can still find it when we spawn it with a different working directory.
626 if (dartBin.contains(Platform.pathSeparator)) {
627 dartBin = new File(dartBin).fullPathSync();
628 }
629
630 // Find the main pub entrypoint.
631 var pubPath = fs.joinPaths(testDirectory, '../../pub/pub.dart');
632
633 var dartArgs =
634 ['--enable-type-checks', '--enable-asserts', pubPath, '--trace'];
635 dartArgs.addAll(args);
636
637 var environment = {
638 'PUB_CACHE': pathInSandbox(cachePath),
639 'DART_SDK': pathInSandbox(sdkPath)
640 };
641 if (tokenEndpoint != null) {
642 environment['_PUB_TEST_TOKEN_ENDPOINT'] = tokenEndpoint.toString();
643 }
644
645 return fn(dartBin, dartArgs, workingDir: pathInSandbox(appPath),
646 environment: environment);
647 });
648 }
649
581 /** 650 /**
582 * Skips the current test if Git is not installed. This validates that the 651 * Skips the current test if Git is not installed. This validates that the
583 * current test is running on a buildbot in which case we expect git to be 652 * current test is running on a buildbot in which case we expect git to be
584 * installed. If we are not running on the buildbot, we will instead see if git 653 * installed. If we are not running on the buildbot, we will instead see if git
585 * is installed and skip the test if not. This way, users don't need to have git 654 * is installed and skip the test if not. This way, users don't need to have git
586 * installed to run the tests locally (unless they actually care about the pub 655 * installed to run the tests locally (unless they actually care about the pub
587 * git tests). 656 * git tests).
588 */ 657 */
589 void ensureGit() { 658 void ensureGit() {
590 _schedule((_) { 659 _schedule((_) {
(...skipping 421 matching lines...) Expand 10 before | Expand all | Expand 10 after
1012 /** 1081 /**
1013 * Schedules changes to be committed to the Git repository. 1082 * Schedules changes to be committed to the Git repository.
1014 */ 1083 */
1015 void scheduleCommit() => _schedule((dir) => this.commit(dir)); 1084 void scheduleCommit() => _schedule((dir) => this.commit(dir));
1016 1085
1017 /** 1086 /**
1018 * Return a Future that completes to the commit in the git repository referred 1087 * Return a Future that completes to the commit in the git repository referred
1019 * to by [ref] at the current point in the scheduled test run. 1088 * to by [ref] at the current point in the scheduled test run.
1020 */ 1089 */
1021 Future<String> revParse(String ref) { 1090 Future<String> revParse(String ref) {
1022 var completer = new Completer<String>(); 1091 return _scheduleValue((parentDir) {
1023 _schedule((parentDir) {
1024 return super.create(parentDir).chain((rootDir) { 1092 return super.create(parentDir).chain((rootDir) {
1025 return _runGit(['rev-parse', ref], rootDir); 1093 return _runGit(['rev-parse', ref], rootDir);
1026 }).transform((output) { 1094 }).transform((output) => output[0]);
1027 completer.complete(output[0]);
1028 return null;
1029 });
1030 }); 1095 });
1031 return completer.future;
1032 } 1096 }
1033 1097
1034 /// Schedule a Git command to run in this repository. 1098 /// Schedule a Git command to run in this repository.
1035 void scheduleGit(List<String> args) { 1099 void scheduleGit(List<String> args) {
1036 _schedule((parentDir) { 1100 _schedule((parentDir) {
1037 var gitDir = new Directory(join(parentDir, name)); 1101 var gitDir = new Directory(join(parentDir, name));
1038 return _runGit(args, gitDir); 1102 return _runGit(args, gitDir);
1039 }); 1103 });
1040 } 1104 }
1041 1105
(...skipping 45 matching lines...) Expand 10 before | Expand all | Expand 10 after
1087 1151
1088 /** 1152 /**
1089 * Creates the files and directories within this tar file, then archives them, 1153 * Creates the files and directories within this tar file, then archives them,
1090 * compresses them, and saves the result to [parentDir]. 1154 * compresses them, and saves the result to [parentDir].
1091 */ 1155 */
1092 Future<File> create(parentDir) { 1156 Future<File> create(parentDir) {
1093 var tempDir; 1157 var tempDir;
1094 return parentDir.createTemp().chain((_tempDir) { 1158 return parentDir.createTemp().chain((_tempDir) {
1095 tempDir = _tempDir; 1159 tempDir = _tempDir;
1096 return Futures.wait(contents.map((child) => child.create(tempDir))); 1160 return Futures.wait(contents.map((child) => child.create(tempDir)));
1097 }).chain((_) { 1161 }).chain((createdContents) {
1098 if (Platform.operatingSystem != "windows") { 1162 return consumeInputStream(createTarGz(createdContents, baseDir: tempDir));
1099 var args = ["--directory", tempDir.path, "--create", "--gzip", 1163 }).chain((bytes) {
1100 "--file", join(parentDir, _stringName)]; 1164 return new File(join(parentDir, _stringName)).writeAsBytes(bytes);
1101 args.addAll(contents.map((child) => child.name)); 1165 }).chain((file) {
1102 return runProcess("tar", args); 1166 return deleteDir(tempDir).transform((_) => file);
1103 } else {
1104 // Create the tar file.
1105 var tarFile = join(tempDir, _stringName.replaceAll("tar.gz", "tar"));
1106 var args = ["a", tarFile];
1107 args.addAll(contents.map(
1108 (child) => '-i!"${join(tempDir, child.name)}"'));
1109
1110 // Find 7zip.
1111 var command = fs.joinPaths(testDirectory,
1112 '../../../third_party/7zip/7za.exe');
1113
1114 return runProcess(command, args).chain((_) {
1115 // GZIP it. 7zip doesn't support doing both as a single operation.
1116 args = ["a", join(parentDir, _stringName), tarFile];
1117 return runProcess(command, args);
1118 });
1119 }
1120 }).chain((result) {
1121 if (!result.success) {
1122 throw "Failed to create tar file $name.\n"
1123 "STDERR: ${Strings.join(result.stderr, "\n")}";
1124 }
1125 return deleteDir(tempDir);
1126 }).transform((_) {
1127 return new File(join(parentDir, _stringName));
1128 }); 1167 });
1129 } 1168 }
1130 1169
1131 /** 1170 /**
1132 * Validates that the `.tar.gz` file at [path] contains the expected contents. 1171 * Validates that the `.tar.gz` file at [path] contains the expected contents.
1133 */ 1172 */
1134 Future validate(String path) { 1173 Future validate(String path) {
1135 throw "TODO(nweiz): implement this"; 1174 throw "TODO(nweiz): implement this";
1136 } 1175 }
1137 1176
(...skipping 44 matching lines...) Expand 10 before | Expand all | Expand 10 after
1182 InputStream load(List<String> path) { 1221 InputStream load(List<String> path) {
1183 if (path.isEmpty) { 1222 if (path.isEmpty) {
1184 throw "Can't load the contents of $name: it doesn't exist."; 1223 throw "Can't load the contents of $name: it doesn't exist.";
1185 } else { 1224 } else {
1186 throw "Can't load ${Strings.join(path, '/')} from within $name: $name " 1225 throw "Can't load ${Strings.join(path, '/')} from within $name: $name "
1187 "doesn't exist."; 1226 "doesn't exist.";
1188 } 1227 }
1189 } 1228 }
1190 } 1229 }
1191 1230
1231 /// A class representing a [Process] that is scheduled to run in the course of
1232 /// the test. This class allows actions on the process to be scheduled
1233 /// synchronously. All operations on this class are scheduled.
1234 ///
1235 /// Before running the test, either [shouldExit] or [kill] must be called on
1236 /// this to ensure that the process terminates when expected.
1237 ///
1238 /// If the test fails, this will automatically print out any remaining stdout
1239 /// and stderr from the process to aid debugging.
1240 class ScheduledProcess {
1241 /// The name of the process. Used for error reporting.
1242 final String name;
1243
1244 /// The process that's scheduled to run.
1245 final Future<Process> _process;
1246
1247 /// A [StringInputStream] wrapping the stdout of the process that's scheduled
1248 /// to run.
1249 final Future<StringInputStream> _stdout;
1250
1251 /// A [StringInputStream] wrapping the stderr of the process that's scheduled
1252 /// to run.
1253 final Future<StringInputStream> _stderr;
1254
1255 /// The exit code of the process that's scheduled to run. This will naturally
1256 /// only complete once the process has terminated.
1257 Future<int> get _exitCode => _exitCodeCompleter.future;
1258
1259 /// The completer for [_exitCode].
1260 final Completer<int> _exitCodeCompleter = new Completer();
1261
1262 /// Whether the user has scheduled the end of this process by calling either
1263 /// [shouldExit] or [kill].
1264 bool _endScheduled = false;
1265
1266 /// Whether the process is expected to terminate at this point.
1267 bool _endExpected = false;
1268
1269 /// Wraps a [Process] [Future] in a scheduled process.
1270 ScheduledProcess(this.name, Future<Process> process)
1271 : _process = process,
1272 _stdout = process.transform((p) => new StringInputStream(p.stdout)),
1273 _stderr = process.transform((p) => new StringInputStream(p.stderr)) {
1274
1275 _schedule((_) {
1276 if (!_endScheduled) {
1277 throw new StateError("Scheduled process $name must have shouldExit() "
1278 "or kill() called before the test is run.");
1279 }
1280
1281 return _process.transform((p) {
1282 p.onExit = (c) {
1283 if (_endExpected) {
1284 _exitCodeCompleter.complete(c);
1285 return;
1286 }
1287
1288 // Sleep for half a second in case _endExpected is set in the next
1289 // scheduled event.
1290 sleep(500).then((_) {
1291 if (_endExpected) {
1292 _exitCodeCompleter.complete(c);
1293 return;
1294 }
1295
1296 _printStreams().then((_) {
1297 registerException(new ExpectException("Process $name ended "
1298 "earlier than scheduled with exit code $c"));
1299 });
1300 });
1301 };
1302 });
1303 });
1304
1305 _scheduleOnException((_) {
1306 if (!_process.hasValue) return;
1307
1308 if (!_exitCode.hasValue) {
1309 print("\nKilling process $name prematurely.");
1310 _endExpected = true;
1311 _process.value.kill();
1312 }
1313
1314 return _printStreams();
1315 });
1316
1317 _scheduleCleanup((_) {
1318 if (!_process.hasValue) return;
1319 // Ensure that the process is dead and we aren't waiting on any IO.
1320 var process = _process.value;
1321 process.kill();
1322 process.stdout.close();
1323 process.stderr.close();
1324 });
1325 }
1326
1327 /// Reads the next line of stdout from the process.
1328 Future<String> nextLine() {
1329 return _scheduleValue((_) {
1330 return timeout(_stdout.chain(readLine), 5000,
1331 "waiting for the next stdout line from process $name");
1332 });
1333 }
1334
1335 /// Reads the next line of stderr from the process.
1336 Future<String> nextErrLine() {
1337 return _scheduleValue((_) {
1338 return timeout(_stderr.chain(readLine), 5000,
1339 "waiting for the next stderr line from process $name");
1340 });
1341 }
1342
1343 /// Writes [line] to the process as stdin.
1344 void writeLine(String line) {
1345 _schedule((_) => _process.transform((p) => p.stdin.writeString('$line\n')));
1346 }
1347
1348 /// Kills the process, and waits until it's dead.
1349 void kill() {
1350 _endScheduled = true;
1351 _schedule((_) {
1352 _endExpected = true;
1353 return _process.chain((p) {
1354 p.kill();
1355 return timeout(_exitCode, 5000, "waiting for process $name to die");
1356 });
1357 });
1358 }
1359
1360 /// Waits for the process to exit, and verifies that the exit code matches
1361 /// [expectedExitCode] (if given).
1362 void shouldExit([int expectedExitCode]) {
1363 _endScheduled = true;
1364 _schedule((_) {
1365 _endExpected = true;
1366 return timeout(_exitCode, 5000, "waiting for process $name to exit")
1367 .transform((exitCode) {
1368 if (expectedExitCode != null) {
1369 expect(exitCode, equals(expectedExitCode));
1370 }
1371 });
1372 });
1373 }
1374
1375 /// Prints the remaining data in the process's stdout and stderr streams.
1376 /// Prints nothing if the straems are empty.
1377 Future _printStreams() {
1378 Future printStream(String streamName, StringInputStream stream) {
1379 return consumeStringInputStream(stream).transform((output) {
1380 if (output.isEmpty) return;
1381
1382 print('\nProcess $name $streamName:');
1383 for (var line in output.trim().split("\n")) {
1384 print('| $line');
1385 }
1386 return;
1387 });
1388 }
1389
1390 return printStream('stdout', _stdout.value)
1391 .chain((_) => printStream('stderr', _stderr.value));
1392 }
1393 }
1394
1395 /// A class representing an [HttpServer] that's scheduled to run in the course
1396 /// of the test. This class allows the server's request handling to be scheduled
1397 /// synchronously. All operations on this class are scheduled.
1398 class ScheduledServer {
1399 /// The wrapped server.
1400 final Future<HttpServer> _server;
1401
1402 ScheduledServer._(this._server);
1403
1404 /// Creates a new server listening on an automatically-allocated port on
1405 /// localhost.
1406 factory ScheduledServer() {
1407 return new ScheduledServer._(_scheduleValue((_) {
1408 var server = new HttpServer();
1409 server.defaultRequestHandler = _unexpectedRequest;
1410 server.listen("127.0.0.1", 0);
1411 _scheduleCleanup((_) => server.close());
1412 return new Future.immediate(server);
1413 }));
1414 }
1415
1416 /// The port on which the server is listening.
1417 Future<int> get port => _server.transform((s) => s.port);
1418
1419 /// The base URL of the server, including its port.
1420 Future<Uri> get url =>
1421 port.transform((p) => new Uri.fromString("http://localhost:$p"));
1422
1423 /// Assert that the next request has the given [method] and [path], and pass
1424 /// it to [handler] to handle. If [handler] returns a [Future], wait until
1425 /// it's completed to continue the schedule.
1426 void handle(String method, String path,
1427 Future handler(HttpRequest request, HttpResponse response)) {
1428 _schedule((_) => timeout(_server.chain((server) {
1429 var completer = new Completer();
1430 server.defaultRequestHandler = (request, response) {
1431 server.defaultRequestHandler = _unexpectedRequest;
1432 expect(request.method, equals(method));
1433 expect(request.path, equals(path));
1434
1435 var future = handler(request, response);
1436 if (future == null) future = new Future.immediate(null);
1437 chainToCompleter(future, completer);
1438 };
1439 return completer.future;
1440 }), 5000, "waiting for $method $path"));
1441 }
1442
1443 /// Raises an error complaining of an unexpected request.
1444 static void _unexpectedRequest(HttpRequest request, HttpResponse response) {
1445 fail('Unexpected ${request.method} request to ${request.path}.');
1446 }
1447 }
1448
1192 /** 1449 /**
1193 * Takes a simple data structure (composed of [Map]s, [List]s, scalar objects, 1450 * Takes a simple data structure (composed of [Map]s, [List]s, scalar objects,
1194 * and [Future]s) and recursively resolves all the [Future]s contained within. 1451 * and [Future]s) and recursively resolves all the [Future]s contained within.
1195 * Completes with the fully resolved structure. 1452 * Completes with the fully resolved structure.
1196 */ 1453 */
1197 Future _awaitObject(object) { 1454 Future _awaitObject(object) {
1198 // Unroll nested futures. 1455 // Unroll nested futures.
1199 if (object is Future) return object.chain(_awaitObject); 1456 if (object is Future) return object.chain(_awaitObject);
1200 if (object is Collection) return Futures.wait(object.map(_awaitObject)); 1457 if (object is Collection) return Futures.wait(object.map(_awaitObject));
1201 if (object is! Map) return new Future.immediate(object); 1458 if (object is! Map) return new Future.immediate(object);
(...skipping 13 matching lines...) Expand all
1215 } 1472 }
1216 1473
1217 /** 1474 /**
1218 * Schedules a callback to be called as part of the test case. 1475 * Schedules a callback to be called as part of the test case.
1219 */ 1476 */
1220 void _schedule(_ScheduledEvent event) { 1477 void _schedule(_ScheduledEvent event) {
1221 if (_scheduled == null) _scheduled = []; 1478 if (_scheduled == null) _scheduled = [];
1222 _scheduled.add(event); 1479 _scheduled.add(event);
1223 } 1480 }
1224 1481
1225 /** 1482 /// Like [_schedule], but pipes the return value of [event] to a returned
1226 * Schedules a callback to be called after Pub is run with [runPub], even if it 1483 /// [Future].
1227 * fails. 1484 Future _scheduleValue(_ScheduledEvent event) {
1228 */ 1485 var completer = new Completer();
1486 _schedule((parentDir) {
1487 chainToCompleter(event(parentDir), completer);
1488 return completer.future;
1489 });
1490 return completer.future;
1491 }
1492
1493 /// Schedules a callback to be called after the test case has completed, even if
1494 /// it failed.
1229 void _scheduleCleanup(_ScheduledEvent event) { 1495 void _scheduleCleanup(_ScheduledEvent event) {
1230 if (_scheduledCleanup == null) _scheduledCleanup = []; 1496 if (_scheduledCleanup == null) _scheduledCleanup = [];
1231 _scheduledCleanup.add(event); 1497 _scheduledCleanup.add(event);
1232 } 1498 }
1499
1500 /// Schedules a callback to be called after the test case has completed, but
1501 /// only if it failed.
1502 void _scheduleOnException(_ScheduledEvent event) {
1503 if (_scheduledOnException == null) _scheduledOnException = [];
1504 _scheduledOnException.add(event);
1505 }
1506
1507 /// Like [expect], but for [Future]s that complete as part of the scheduled
1508 /// test. This is necessary to ensure that the exception thrown by the
1509 /// expectation failing is handled by the scheduler.
1510 ///
1511 /// Note that [matcher] matches against the completed value of [actual], so
1512 /// calling [completion] is unnecessary.
1513 Matcher expectLater(Future actual, matcher, {String reason,
1514 FailureHandler failureHandler, bool verbose: false}) {
1515 _schedule((_) {
1516 return actual.transform((value) {
1517 expect(value, matcher, reason: reason, failureHandler: failureHandler,
1518 verbose: false);
1519 });
1520 });
1521 }
OLDNEW
« no previous file with comments | « utils/tests/pub/pub_test.dart ('k') | no next file » | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698