OLD | NEW |
(Empty) | |
| 1 // Copyright (c) 2013, the Dart project authors. Please see the AUTHORS file |
| 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. |
| 4 |
| 5 library descriptor.utils; |
| 6 |
| 7 import 'dart:io'; |
| 8 |
| 9 import 'package:pathos/path.dart' as path; |
| 10 |
| 11 /// Returns a single filesystem entry within [parent] whose name matches |
| 12 /// [pattern]. If [pattern] is a string, looks for an exact match; otherwise, |
| 13 /// looks for an entry that contains [pattern]. |
| 14 /// |
| 15 /// If there are no entries in [parent] matching [pattern], or more than one, |
| 16 /// this will throw an exception. |
| 17 /// |
| 18 /// [type] is used for error reporting. It should be capitalized. |
| 19 String entryMatchingPattern(String type, String parent, Pattern pattern) { |
| 20 if (pattern is String) { |
| 21 var path = path.join(parent, pattern); |
| 22 if (new File(path).existsSync() || new Directory(path).existsSync()) { |
| 23 return path; |
| 24 } |
| 25 throw "$type not found: '$path'."; |
| 26 } |
| 27 |
| 28 var matchingEntries = new Directory(parent).listSync() |
| 29 .map((entry) => entry is File ? entry.fullPathSync() : entry.path) |
| 30 .where((entry) => entry.contains(pattern)) |
| 31 .toList(); |
| 32 |
| 33 if (matchingEntries.length == 0) { |
| 34 throw "No entry found in '$parent' matching ${describePattern(pattern)}."; |
| 35 } else if (matchingEntries.length > 1) { |
| 36 throw "Multiple entries found in '$parent' matching " |
| 37 "${describePattern(pattern)}:\n" |
| 38 "${matchingEntries.map((entry) => '* $entry').join('\n')}"; |
| 39 } else { |
| 40 return matchingEntries.first; |
| 41 } |
| 42 } |
| 43 |
| 44 /// Returns a human-readable description of [pattern]. |
| 45 String describePattern(Pattern pattern) { |
| 46 if (pattern is String) return "'$pattern'"; |
| 47 if (pattern is! RegExp) return '$pattern'; |
| 48 |
| 49 var flags = new StringBuffer(); |
| 50 if (!pattern.isCaseSensitive) flags.add('i'); |
| 51 if (pattern.isMultiLine) flags.add('m'); |
| 52 return '/${pattern.pattern}/$flags'; |
| 53 } |
OLD | NEW |