platform/lib/src/router.dart

443 lines
14 KiB
Dart
Raw Normal View History

2016-11-22 03:31:09 +00:00
library angel_route.src.router;
2016-10-12 17:58:32 +00:00
import 'extensible.dart';
import 'routing_exception.dart';
2016-11-25 23:22:33 +00:00
part 'symlink_route.dart';
2016-11-22 03:31:09 +00:00
part 'route.dart';
2016-11-25 23:22:33 +00:00
part 'routing_result.dart';
2016-11-22 03:31:09 +00:00
final RegExp _param = new RegExp(r':([A-Za-z0-9_]+)(\((.+)\))?');
final RegExp _rgxEnd = new RegExp(r'\$+$');
final RegExp _rgxStart = new RegExp(r'^\^+');
2016-11-23 09:13:42 +00:00
final RegExp _rgxStraySlashes =
new RegExp(r'(^((\\+/)|(/))+)|(((\\+/)|(/))+$)');
2016-11-22 03:31:09 +00:00
final RegExp _slashDollar = new RegExp(r'/+\$');
2016-10-12 17:58:32 +00:00
final RegExp _straySlashes = new RegExp(r'(^/+)|(/+$)');
/// An abstraction over complex [Route] trees. Use this instead of the raw API. :)
2016-11-27 22:24:30 +00:00
class Router extends Extensible {
2016-11-25 23:22:33 +00:00
final List _middleware = [];
final Map<Pattern, Router> _mounted = {};
final List<Route> _routes = [];
2016-10-21 03:13:13 +00:00
/// Set to `true` to print verbose debug output when interacting with this route.
bool debug = false;
2016-11-25 23:22:33 +00:00
List get middleware => new List.unmodifiable(_middleware);
Map<Pattern, Router> get mounted =>
new Map<Pattern, Router>.unmodifiable(_mounted);
2016-10-12 17:58:32 +00:00
/// Additional filters to be run on designated requests.
Map<String, dynamic> requestMiddleware = {};
2016-11-25 23:22:33 +00:00
List<Route> get routes => new List<Route>.unmodifiable(_routes);
2016-10-12 17:58:32 +00:00
/// Provide a `root` to make this Router revolve around a pre-defined route.
/// Not recommended.
2016-11-25 23:22:33 +00:00
Router({this.debug: false});
2016-10-12 17:58:32 +00:00
void _printDebug(msg) {
2016-11-23 19:06:54 +00:00
if (debug == true) print(msg);
}
2016-10-12 17:58:32 +00:00
/// Adds a route that responds to the given path
/// for requests with the given method (case-insensitive).
/// Provide '*' as the method to respond to all methods.
Route addRoute(String method, Pattern path, Object handler,
2016-11-25 23:22:33 +00:00
{List middleware: const []}) {
// Check if any mounted routers can match this
final handlers = [handler];
2016-11-27 23:58:55 +00:00
if (middleware != null) handlers.insertAll(0, middleware);
2016-11-25 23:22:33 +00:00
final route =
new Route(path, debug: debug, method: method, handlers: handlers);
_routes.add(route);
2016-11-27 14:46:13 +00:00
return route.._path = _pathify(path);
2016-10-12 17:58:32 +00:00
}
2016-11-27 22:24:30 +00:00
/// Prepends the given middleware to any routes created
/// by the resulting router.
///
/// The resulting router can be chained, too.
_ChainedRouter chain(middleware) => new _ChainedRouter(this, middleware);
2016-11-23 18:58:34 +00:00
/// Returns a [Router] with a duplicated version of this tree.
2016-11-25 23:22:33 +00:00
Router clone() {
2016-11-23 18:58:34 +00:00
final router = new Router(debug: debug);
2016-11-25 23:22:33 +00:00
final newMounted = new Map.from(mounted);
for (Route route in routes) {
if (route is! SymlinkRoute) {
router._routes.add(route.clone());
} else if (route is SymlinkRoute) {
2016-11-27 04:04:47 +00:00
final newRouter = route.router.clone();
newMounted[route.path] = newRouter;
final symlink = new SymlinkRoute(route.path, route.pattern, newRouter)
.._head = route._head;
router._routes.add(symlink);
2016-11-25 23:22:33 +00:00
}
2016-11-23 18:58:34 +00:00
}
2016-11-25 23:22:33 +00:00
return router.._mounted.addAll(newMounted);
2016-11-23 18:58:34 +00:00
}
2016-10-12 17:58:32 +00:00
/// Creates a visual representation of the route hierarchy and
/// passes it to a callback. If none is provided, `print` is called.
void dumpTree(
2016-11-23 09:13:42 +00:00
{callback(String tree),
2016-11-25 23:22:33 +00:00
String header: 'Dumping route tree:',
String tab: ' ',
bool showMatchers: false}) {
2016-10-12 17:58:32 +00:00
final buf = new StringBuffer();
2016-11-25 23:22:33 +00:00
int tabs = 0;
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
if (header != null && header.isNotEmpty) {
buf.writeln(header);
}
2016-10-20 09:21:59 +00:00
2016-11-27 04:04:47 +00:00
buf.writeln('<root>');
2016-11-25 23:22:33 +00:00
indent() {
for (int i = 0; i < tabs; i++) buf.write(tab);
}
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
dumpRouter(Router router) {
indent();
tabs++;
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
for (Route route in router.routes) {
indent();
buf.write('- ${route.path.isNotEmpty ? route.path : '/'}');
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
if (route is SymlinkRoute) {
buf.writeln();
dumpRouter(route.router);
} else {
if (showMatchers) buf.write(' (${route.matcher.pattern})');
2016-11-23 09:13:42 +00:00
2016-10-23 00:52:28 +00:00
buf.writeln(' => ${route.handlers.length} handler(s)');
2016-11-25 23:22:33 +00:00
}
2016-10-23 00:52:28 +00:00
}
2016-10-12 17:58:32 +00:00
tabs--;
}
2016-11-25 23:22:33 +00:00
dumpRouter(this);
2016-10-12 17:58:32 +00:00
(callback ?? print)(buf.toString());
2016-10-12 17:58:32 +00:00
}
/// Creates a route, and allows you to add child routes to it
/// via a [Router] instance.
///
/// Returns the created route.
/// You can also register middleware within the router.
2016-11-25 23:22:33 +00:00
SymlinkRoute group(Pattern path, void callback(Router router),
2016-10-12 17:58:32 +00:00
{Iterable middleware: const [],
String name: null,
String namespace: null}) {
2016-11-27 23:39:03 +00:00
final router = new Router().._middleware.addAll(middleware);
callback(router..debug = debug);
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
return mount(path, router, namespace: namespace).._name = name;
}
2016-10-12 17:58:32 +00:00
2016-11-25 23:22:33 +00:00
/// Generates a URI string based on the given input.
/// Handy when you have named routes.
///
/// Each item in `linkParams` should be a [Route],
/// `String` or `Map<String, dynamic>`.
///
/// Strings should be route names, namespaces, or paths.
/// Maps should be parameters, which will be filled
/// into the previous route.
///
/// Paths and segments should correspond to the way
/// you declared them.
///
/// For example, if you declared a route group on
/// `'users/:id'`, it would not be resolved if you
/// passed `'users'` in [linkParams].
///
/// Leading and trailing slashes are automatically
/// removed.
///
/// Set [absolute] to `true` to insert a forward slash
/// before the generated path.
///
/// Example:
/// ```dart
/// router.navigate(['users/:id', {'id': '1337'}, 'profile']);
/// ```
2016-11-27 22:24:30 +00:00
String navigate(Iterable linkParams, {bool absolute: true}) {
2016-11-25 23:22:33 +00:00
final List<String> segments = [];
Router search = this;
Route lastRoute;
for (final param in linkParams) {
bool resolved = false;
if (param is String) {
// Search by name
for (Route route in search.routes) {
if (route.name == param) {
segments.add(route.path.replaceAll(_straySlashes, ''));
lastRoute = route;
if (route is SymlinkRoute) {
search = route.router;
}
resolved = true;
break;
}
}
// Search by path
for (Route route in search.routes) {
if (route.match(param) != null) {
segments.add(route.path.replaceAll(_straySlashes, ''));
lastRoute = route;
if (route is SymlinkRoute) {
search = route.router;
}
resolved = true;
break;
}
}
if (!resolved) {
throw new RoutingException(
'Cannot resolve route for link param "$param".');
}
} else if (param is Route) {
segments.add(param.path.replaceAll(_straySlashes, ''));
} else if (param is Map<String, dynamic>) {
if (lastRoute == null) {
throw new RoutingException(
'Maps in link params must be preceded by a Route or String.');
} else {
segments.removeLast();
segments.add(lastRoute.makeUri(param).replaceAll(_straySlashes, ''));
}
} else
throw new RoutingException(
'Link param $param is not Route, String, or Map<String, dynamic>.');
2016-10-12 17:58:32 +00:00
}
2016-11-25 23:22:33 +00:00
return absolute
? '/${segments.join('/').replaceAll(_straySlashes, '')}'
: segments.join('/');
2016-10-12 17:58:32 +00:00
}
/// Assigns a middleware to a name for convenience.
registerMiddleware(String name, middleware) {
requestMiddleware[name] = middleware;
}
2016-11-27 04:04:47 +00:00
RoutingResult _dumpResult(String path, RoutingResult result) {
2016-11-27 22:24:30 +00:00
_printDebug('Resolved "/$path" to ${result.route}');
2016-11-27 04:04:47 +00:00
return result;
}
2016-11-22 03:31:09 +00:00
/// Finds the first [Route] that matches the given path,
/// with the given method.
2016-11-27 22:24:30 +00:00
RoutingResult resolve(String absolute, String relative,
{String method: 'GET'}) {
2016-11-27 14:46:13 +00:00
final cleanAbsolute = absolute.replaceAll(_straySlashes, '');
final cleanRelative = relative.replaceAll(_straySlashes, '');
final segments = cleanRelative.split('/').where((str) => str.isNotEmpty);
2016-11-27 04:04:47 +00:00
_printDebug(
2016-11-27 14:46:13 +00:00
'Now resolving $method "/$cleanRelative", absolute: $cleanAbsolute');
_printDebug('Path segments: ${segments.toList()}');
2016-11-22 03:31:09 +00:00
2016-11-25 23:22:33 +00:00
for (Route route in routes) {
2016-11-27 14:46:13 +00:00
if (route is SymlinkRoute && route._head != null && segments.isNotEmpty) {
2016-11-27 23:39:03 +00:00
final s = [];
for (String seg in segments) {
s.add(seg);
final match = route._head.firstMatch(s.join('/'));
if (match != null) {
final cleaned = s.join('/').replaceFirst(match[0], '');
final tail = cleanRelative
.replaceAll(route._head, '')
.replaceAll(_straySlashes, '');
if (cleaned.isEmpty) {
_printDebug(
'Matched relative "$cleanRelative" to head ${route._head
.pattern} on $route. Tail: "$tail"');
route.router.debug = route.router.debug || debug;
final nested =
route.router.resolve(cleanAbsolute, tail, method: method);
return _dumpResult(
cleanRelative,
new RoutingResult(
match: match,
nested: nested,
params: route.parseParameters(match[0]),
shallowRoute: route,
shallowRouter: this,
tail: tail));
}
2016-11-27 22:24:30 +00:00
}
2016-11-23 09:13:42 +00:00
}
2016-11-27 22:24:30 +00:00
}
if (route.method == '*' || route.method == method) {
2016-11-27 14:46:13 +00:00
final match = route.match(cleanRelative);
2016-11-25 23:22:33 +00:00
if (match != null) {
2016-11-27 04:04:47 +00:00
return _dumpResult(
2016-11-27 14:46:13 +00:00
cleanRelative,
2016-11-27 04:04:47 +00:00
new RoutingResult(
match: match,
2016-11-27 14:46:13 +00:00
params: route.parseParameters(cleanRelative),
2016-11-27 22:24:30 +00:00
shallowRoute: route,
shallowRouter: this));
2016-11-22 03:31:09 +00:00
}
}
}
2016-11-27 14:46:13 +00:00
_printDebug('Could not resolve path "/$cleanRelative".');
2016-11-25 23:22:33 +00:00
return null;
2016-11-23 18:58:34 +00:00
}
2016-11-27 22:24:30 +00:00
/// Returns the result of [resolve] with [path] passed as
/// both `absolute` and `relative`.
RoutingResult resolveAbsolute(String path, {String method: 'GET'}) =>
resolve(path, path, method: method);
2016-11-25 23:22:33 +00:00
/// Finds every possible [Route] that matches the given path,
/// with the given method.
2016-11-27 14:46:13 +00:00
Iterable<RoutingResult> resolveAll(String absolute, String relative,
2016-11-25 23:22:33 +00:00
{String method: 'GET'}) {
final router = clone();
final List<RoutingResult> results = [];
2016-11-27 14:46:13 +00:00
var result = router.resolve(absolute, relative, method: method);
2016-11-25 23:22:33 +00:00
while (result != null) {
2016-11-27 23:39:03 +00:00
results.add(result);
2016-11-27 22:24:30 +00:00
result.router._routes.remove(result.route);
2016-11-27 14:46:13 +00:00
result = router.resolve(absolute, relative, method: method);
2016-11-22 03:31:09 +00:00
}
2016-11-27 04:04:47 +00:00
_printDebug(
2016-11-27 22:24:30 +00:00
'Results of $method "/${absolute.replaceAll(_straySlashes, '')}": ${results.map((r) => r.route).toList()}');
2016-11-25 23:22:33 +00:00
return results;
}
2016-10-12 17:58:32 +00:00
/// Incorporates another [Router]'s routes into this one's.
///
/// If `hooked` is set to `true` and a [Service] is provided,
/// then that service will be wired to a [HookedService] proxy.
/// If a `namespace` is provided, then any middleware
/// from the provided [Router] will be prefixed by that namespace,
/// with a dot.
/// For example, if the [Router] has a middleware 'y', and the `namespace`
/// is 'x', then that middleware will be available as 'x.y' in the main router.
/// These namespaces can be nested.
2016-11-25 23:22:33 +00:00
SymlinkRoute mount(Pattern path, Router router,
2016-10-12 17:58:32 +00:00
{bool hooked: true, String namespace: null}) {
// Let's copy middleware, heeding the optional middleware namespace.
String middlewarePrefix = namespace != null ? "$namespace." : "";
Map copiedMiddleware = new Map.from(router.requestMiddleware);
for (String middlewareName in copiedMiddleware.keys) {
requestMiddleware["$middlewarePrefix$middlewareName"] =
2016-11-23 09:13:42 +00:00
copiedMiddleware[middlewareName];
2016-11-22 03:31:09 +00:00
}
2016-11-27 23:39:03 +00:00
final route =
new SymlinkRoute(path, path, router..debug = debug || router.debug);
2016-11-27 04:04:47 +00:00
_mounted[route.path] = router;
2016-11-25 23:22:33 +00:00
_routes.add(route);
route._head = new RegExp(route.matcher.pattern.replaceAll(_rgxEnd, ''));
2016-11-22 03:31:09 +00:00
2016-11-25 23:22:33 +00:00
return route.._name = namespace;
2016-10-12 17:58:32 +00:00
}
/// Adds a route that responds to any request matching the given path.
Route all(Pattern path, Object handler, {List middleware}) {
return addRoute('*', path, handler, middleware: middleware);
}
/// Adds a route that responds to a DELETE request.
Route delete(Pattern path, Object handler, {List middleware}) {
return addRoute('DELETE', path, handler, middleware: middleware);
}
/// Adds a route that responds to a GET request.
Route get(Pattern path, Object handler, {List middleware}) {
return addRoute('GET', path, handler, middleware: middleware);
}
/// Adds a route that responds to a HEAD request.
Route head(Pattern path, Object handler, {List middleware}) {
return addRoute('HEAD', path, handler, middleware: middleware);
}
/// Adds a route that responds to a OPTIONS request.
Route options(Pattern path, Object handler, {List middleware}) {
return addRoute('OPTIONS', path, handler, middleware: middleware);
}
/// Adds a route that responds to a POST request.
Route post(Pattern path, Object handler, {List middleware}) {
return addRoute('POST', path, handler, middleware: middleware);
}
/// Adds a route that responds to a PATCH request.
Route patch(Pattern path, Object handler, {List middleware}) {
return addRoute('PATCH', path, handler, middleware: middleware);
}
/// Adds a route that responds to a PUT request.
Route put(Pattern path, Object handler, {List middleware}) {
return addRoute('PUT', path, handler, middleware: middleware);
}
}
2016-11-27 22:24:30 +00:00
class _ChainedRouter extends Router {
final List _handlers = [];
Router _root;
_ChainedRouter.empty();
_ChainedRouter(Router root, middleware) {
this._root = root;
_handlers.add(middleware);
}
@override
Route addRoute(String method, Pattern path, handler,
{List middleware: const []}) {
return _root.addRoute(method, path, handler,
middleware: []..addAll(_handlers)..addAll(middleware ?? []));
}
@override
SymlinkRoute mount(Pattern path, Router router,
{bool hooked: true, String namespace: null}) {
final route =
super.mount(path, router, hooked: hooked, namespace: namespace);
route.router._middleware.insertAll(0, _handlers);
return route;
}
@override
_ChainedRouter chain(middleware) {
final piped = new _ChainedRouter.empty().._root = _root;
piped._handlers.addAll([]
..addAll(_handlers)
..add(middleware));
return piped;
}
}