platform/lib/src/http/server.dart

702 lines
22 KiB
Dart
Raw Normal View History

library angel_framework.http.server;
import 'dart:async';
import 'dart:io';
2016-09-17 16:12:25 +00:00
import 'dart:mirrors';
import 'package:angel_route/angel_route.dart' hide Extensible;
import 'package:charcode/charcode.dart';
2017-04-01 01:00:24 +00:00
export 'package:container/container.dart';
import 'package:flatten/flatten.dart';
import 'package:json_god/json_god.dart' as god;
import 'package:meta/meta.dart';
import '../safe_stream_controller.dart';
import 'angel_base.dart';
import 'angel_http_exception.dart';
import 'controller.dart';
2016-12-10 14:12:07 +00:00
import 'fatal_error.dart';
2017-06-20 19:13:15 +00:00
//import 'hooked_service.dart';
import 'request_context.dart';
import 'response_context.dart';
import 'routable.dart';
import 'service.dart';
2016-02-28 13:11:17 +00:00
2016-10-22 20:41:36 +00:00
final RegExp _straySlashes = new RegExp(r'(^/+)|(/+$)');
2016-04-18 03:27:23 +00:00
/// A function that binds an [Angel] server to an Internet address and port.
2016-02-28 13:11:17 +00:00
typedef Future<HttpServer> ServerGenerator(InternetAddress address, int port);
/// Handles an [AngelHttpException].
2016-09-17 16:12:25 +00:00
typedef Future AngelErrorHandler(
AngelHttpException err, RequestContext req, ResponseContext res);
2017-02-25 00:16:31 +00:00
/// A function that configures an [Angel] server in some way.
typedef Future AngelConfigurer(Angel app);
2016-02-28 13:11:17 +00:00
/// A powerful real-time/REST/MVC server class.
class Angel extends AngelBase {
SafeCtrl<HttpRequest> _afterProcessed = new SafeCtrl<HttpRequest>.broadcast();
SafeCtrl<HttpRequest> _beforeProcessed =
new SafeCtrl<HttpRequest>.broadcast();
SafeCtrl<AngelFatalError> _fatalErrorStream =
new SafeCtrl<AngelFatalError>.broadcast();
SafeCtrl<Controller> _onController = new SafeCtrl<Controller>.broadcast();
2016-12-21 18:18:26 +00:00
final List<Angel> _children = [];
2017-04-01 01:00:24 +00:00
Router _flattened;
bool _isProduction;
2016-12-21 18:18:26 +00:00
Angel _parent;
final Map<String, List> _handlerCache = {};
2016-11-24 07:12:53 +00:00
ServerGenerator _serverGenerator = HttpServer.bind;
2016-09-17 16:12:25 +00:00
2017-06-11 16:57:36 +00:00
/// A global Map of manual injections. You usually will not want to touch this.
final Map injections = {};
2016-12-31 01:46:41 +00:00
final Map<dynamic, InjectionRequest> _preContained = {};
2017-04-01 01:00:24 +00:00
ResponseSerializer _serializer;
2016-12-31 01:46:41 +00:00
2017-06-06 12:42:33 +00:00
/// A [Map] of dependency data obtained via reflection.
///
/// You may modify this [Map] yourself if you intend to avoid reflection entirely.
Map<dynamic, InjectionRequest> get preContained => _preContained;
2017-03-02 22:06:02 +00:00
/// Determines whether to allow HTTP request method overrides.
bool allowMethodOverrides = true;
2016-09-17 16:12:25 +00:00
/// Fired after a request is processed. Always runs.
Stream<HttpRequest> get afterProcessed => _afterProcessed.stream;
2016-07-05 22:11:54 +00:00
/// Fired before a request is processed. Always runs.
Stream<HttpRequest> get beforeProcessed => _beforeProcessed.stream;
2016-07-05 22:11:54 +00:00
2016-12-21 18:18:26 +00:00
/// All child application mounted on this instance.
List<Angel> get children => new List<Angel>.unmodifiable(_children);
2016-09-19 06:52:21 +00:00
/// Fired on fatal errors.
2016-12-10 14:12:07 +00:00
Stream<AngelFatalError> get fatalErrorStream => _fatalErrorStream.stream;
2016-09-19 06:52:21 +00:00
2016-12-21 18:18:26 +00:00
/// Indicates whether the application is running in a production environment.
///
/// The criteria for this is the `ANGEL_ENV` environment variable being set to
/// `'production'`.
2017-04-01 01:00:24 +00:00
///
/// This value is memoized the first time you call it, so do not change environment
/// configuration at runtime!
bool get isProduction {
if (_isProduction != null)
return _isProduction;
else
return _isProduction = Platform.environment['ANGEL_ENV'] == 'production';
}
2016-12-21 18:18:26 +00:00
2017-03-28 23:29:22 +00:00
/// The function used to bind this instance to an HTTP server.
ServerGenerator get serverGenerator => _serverGenerator;
2016-07-05 22:11:54 +00:00
/// Fired whenever a controller is added to this instance.
///
/// **NOTE**: This is a broadcast stream.
Stream<Controller> get onController => _onController.stream;
2016-12-21 18:18:26 +00:00
/// Returns the parent instance of this application, if any.
Angel get parent => _parent;
2017-02-01 21:43:18 +00:00
/// Plug-ins to be called right before server startup.
///
/// If the server is never started, they will never be called.
final List<AngelConfigurer> justBeforeStart = [];
2017-04-04 08:35:36 +00:00
/// Plug-ins to be called right before server shutdown
///
/// If the server is never [close]d, they will never be called.
final List<AngelConfigurer> justBeforeStop = [];
2016-12-19 01:38:23 +00:00
/// Always run before responses are sent.
///
2017-03-28 23:29:22 +00:00
/// These will only not run if an [AngelFatalError] occurs,
/// or if a response's `willCloseItself` is set to `true`.
2016-12-19 01:38:23 +00:00
final List<RequestHandler> responseFinalizers = [];
2017-03-04 21:12:39 +00:00
/// The handler currently configured to run on [AngelHttpException]s.
AngelErrorHandler errorHandler =
2016-09-17 16:12:25 +00:00
(AngelHttpException e, req, ResponseContext res) {
2016-12-21 20:27:07 +00:00
res.headers[HttpHeaders.CONTENT_TYPE] = ContentType.HTML.toString();
2016-12-19 01:38:23 +00:00
res.statusCode = e.statusCode;
2016-07-03 22:23:55 +00:00
res.write("<!DOCTYPE html><html><head><title>${e.message}</title>");
res.write("</head><body><h1>${e.message}</h1><ul>");
2016-12-31 01:46:41 +00:00
for (String error in e.errors) {
res.write("<li>$error</li>");
}
2016-12-31 01:46:41 +00:00
res.write("</ul></body></html>");
res.end();
};
/// [RequestMiddleware] to be run before all requests.
2016-12-21 18:18:26 +00:00
final List before = [];
/// [RequestMiddleware] to be run after all requests.
2016-12-21 18:18:26 +00:00
final List after = [];
2016-04-18 03:27:23 +00:00
2016-06-21 22:56:04 +00:00
/// The native HttpServer running this instancce.
2016-04-18 03:27:23 +00:00
HttpServer httpServer;
2016-06-21 22:56:04 +00:00
/// Starts the server.
///
/// Returns false on failure; otherwise, returns the HttpServer.
2016-09-17 16:12:25 +00:00
Future<HttpServer> startServer([InternetAddress address, int port]) async {
2017-01-20 22:40:48 +00:00
var host = address ?? InternetAddress.LOOPBACK_IP_V4;
2016-11-23 09:10:47 +00:00
this.httpServer = await _serverGenerator(host, port ?? 0);
2017-03-02 04:04:37 +00:00
for (var configurer in justBeforeStart) {
await configure(configurer);
}
2017-04-01 01:00:24 +00:00
optimizeForProduction();
2016-11-23 09:10:47 +00:00
return httpServer..listen(handleRequest);
}
2017-04-01 01:00:24 +00:00
@override
Route addRoute(String method, Pattern path, Object handler,
2017-04-01 01:00:24 +00:00
{List middleware: const []}) {
if (_flattened != null) {
print(
2017-04-02 19:14:10 +00:00
'WARNING: You added a route ($method $path) to the router, after it had been optimized.');
2017-04-01 01:00:24 +00:00
print('This route will be ignored, and no requests will ever reach it.');
}
return super.addRoute(method, path, handler, middleware: middleware ?? []);
}
2017-04-02 19:14:10 +00:00
@override
mount(Pattern path, Router router, {bool hooked: true, String namespace}) {
if (_flattened != null) {
print(
'WARNING: You added mounted a child router ($path) on the router, after it had been optimized.');
print('This route will be ignored, and no requests will ever reach it.');
}
return super
.mount(path, router, hooked: hooked != false, namespace: namespace);
}
2016-09-17 16:12:25 +00:00
/// Loads some base dependencies into the service container.
void bootstrapContainer() {
2017-01-20 22:11:20 +00:00
if (runtimeType != Angel) container.singleton(this, as: Angel);
2016-09-17 16:12:25 +00:00
container.singleton(this, as: AngelBase);
2016-11-23 19:50:17 +00:00
container.singleton(this, as: Routable);
container.singleton(this, as: Router);
2016-09-17 16:12:25 +00:00
container.singleton(this);
}
2017-04-04 08:35:36 +00:00
/// Shuts down the server, and closes any open [StreamController]s.
Future<HttpServer> close() async {
HttpServer server;
if (httpServer != null) {
server = httpServer;
await httpServer.close(force: true);
}
_afterProcessed.close();
_beforeProcessed.close();
_fatalErrorStream.close();
_onController.close();
2017-04-25 02:44:22 +00:00
await Future.forEach(services.values, (Service service) async {
await service.close();
2017-04-04 08:35:36 +00:00
});
for (var plugin in justBeforeStop) await plugin(this);
return server;
}
2017-04-01 01:00:24 +00:00
@override
void dumpTree(
{callback(String tree),
String header: 'Dumping route tree:',
String tab: ' ',
bool showMatchers: false}) {
if (isProduction) {
if (_flattened == null) _flattened = flatten(this);
_flattened.dumpTree(
callback: callback,
header: header?.isNotEmpty == true
? header
: (isProduction
? 'Dumping flattened route tree:'
: 'Dumping route tree:'),
tab: tab ?? ' ',
showMatchers: showMatchers == true);
} else {
super.dumpTree(
callback: callback,
header: header?.isNotEmpty == true
? header
: (isProduction
? 'Dumping flattened route tree:'
: 'Dumping route tree:'),
tab: tab ?? ' ',
showMatchers: showMatchers == true);
}
}
2017-03-06 00:52:16 +00:00
/// Shortcut for adding a middleware to inject a key/value pair on every request.
void inject(key, value) {
2017-06-11 16:57:36 +00:00
injections[key] = value;
2017-03-06 00:52:16 +00:00
}
/// Shortcut for adding a middleware to inject a serialize on every request.
void injectSerializer(ResponseSerializer serializer) {
2017-04-01 01:00:24 +00:00
_serializer = serializer;
2017-03-06 00:52:16 +00:00
}
2017-04-15 17:42:21 +00:00
Future getHandlerResult(
2016-09-17 16:12:25 +00:00
handler, RequestContext req, ResponseContext res) async {
/*if (handler is RequestMiddleware) {
var result = await handler(req, res);
2016-09-17 16:12:25 +00:00
2017-04-15 17:42:21 +00:00
if (result is RequestHandler)
return await getHandlerResult(result, req, res);
else
return result;
}*/
2016-04-18 03:27:23 +00:00
if (handler is RequestHandler) {
2017-02-25 00:16:31 +00:00
var result = await handler(req, res);
return await getHandlerResult(result, req, res);
2016-09-17 16:12:25 +00:00
}
if (handler is Future) {
var result = await handler;
return await getHandlerResult(result, req, res);
2016-09-17 16:12:25 +00:00
}
if (handler is Function) {
var result = await runContained(handler, req, res);
return await getHandlerResult(result, req, res);
}
if (handler is Stream) {
return await getHandlerResult(await handler.toList(), req, res);
2016-09-17 16:12:25 +00:00
}
2017-06-06 12:42:33 +00:00
var middleware = (req.app ?? this).findMiddleware(handler);
if (middleware != null) {
return await getHandlerResult(middleware, req, res);
2016-04-18 03:27:23 +00:00
}
2016-09-17 16:12:25 +00:00
2017-04-15 17:42:21 +00:00
return handler;
}
/// Runs some [handler]. Returns `true` if request execution should continue.
Future<bool> executeHandler(
handler, RequestContext req, ResponseContext res) async {
var result = await getHandlerResult(handler, req, res);
if (result is bool) {
2017-04-15 17:42:21 +00:00
return result;
} else if (result != null) {
res.serialize(result,
contentType: res.headers[HttpHeaders.CONTENT_TYPE] ??
ContentType.JSON.mimeType);
return false;
} else
return res.isOpen;
2016-04-18 03:27:23 +00:00
}
2017-01-20 22:40:48 +00:00
Future<RequestContext> createRequestContext(HttpRequest request) {
_beforeProcessed.add(request);
2017-04-01 01:00:24 +00:00
return RequestContext.from(request, this).then((req) {
2017-06-11 16:57:36 +00:00
return req..injections.addAll(injections ?? {});
2017-04-01 01:00:24 +00:00
});
2017-01-20 22:40:48 +00:00
}
Future<ResponseContext> createResponseContext(HttpResponse response) =>
new Future<ResponseContext>.value(new ResponseContext(response, this)
..serializer = (_serializer ?? god.serialize));
2017-01-20 22:40:48 +00:00
2017-06-06 12:42:33 +00:00
/// Attempts to find a middleware by the given name within this application.
findMiddleware(key) {
if (requestMiddleware.containsKey(key)) return requestMiddleware[key];
return parent != null ? parent.findMiddleware(key) : null;
}
/// Attempts to find a property by the given name within this application.
findProperty(key) {
if (properties.containsKey(key)) return properties[key];
return parent != null ? parent.findProperty(key) : null;
}
2017-07-10 23:08:05 +00:00
/// Handles an [AngelHttpException].
handleAngelHttpException(AngelHttpException e, StackTrace st,
RequestContext req, ResponseContext res, HttpRequest request,
{bool ignoreFinalizers: false}) async {
if (req == null || res == null) {
2017-06-20 19:13:15 +00:00
_fatalErrorStream.add(new AngelFatalError(
request: request,
error: e?.error ??
e ??
new Exception(
'handleAngelHttpException was called on a null request or response context.'),
2017-06-20 19:13:15 +00:00
stack: st));
return;
2017-06-19 01:53:51 +00:00
}
res.statusCode = e.statusCode;
2017-07-10 23:08:05 +00:00
if (req.headers.value(HttpHeaders.ACCEPT) == null ||
req.acceptsAll ||
req.accepts(ContentType.JSON) ||
req.accepts('application/javascript')) {
res.serialize(e.toMap(),
contentType: res.headers[HttpHeaders.CONTENT_TYPE] ??
ContentType.JSON.mimeType);
} else {
await errorHandler(e, req, res);
}
res.end();
await sendResponse(request, req, res,
ignoreFinalizers: ignoreFinalizers == true);
2017-06-19 01:53:51 +00:00
}
2017-01-20 22:11:20 +00:00
/// Handles a single request.
2016-10-22 20:41:36 +00:00
Future handleRequest(HttpRequest request) async {
2017-01-14 15:39:11 +00:00
try {
2017-01-20 22:40:48 +00:00
var req = await createRequestContext(request);
var res = await createResponseContext(request.response);
String requestedUrl;
2016-10-22 20:41:36 +00:00
// Faster way to get path
List<int> _path = request.uri.path.codeUnits;
2016-10-22 20:41:36 +00:00
// Remove trailing slashes
int lastSlash = -1;
2016-11-23 19:50:17 +00:00
for (int i = _path.length - 1; i >= 0; i--) {
if (_path[i] == $slash)
lastSlash = i;
else
break;
2017-01-14 15:39:11 +00:00
}
2016-10-22 20:41:36 +00:00
if (lastSlash > -1)
requestedUrl = new String.fromCharCodes(_path.take(lastSlash));
else
requestedUrl = new String.fromCharCodes(_path);
2016-12-19 01:38:23 +00:00
if (requestedUrl.isEmpty) requestedUrl = '/';
var pipeline = _handlerCache.putIfAbsent(requestedUrl, () {
Router r =
isProduction ? (_flattened ?? (_flattened = flatten(this))) : this;
var resolved =
r.resolveAll(requestedUrl, requestedUrl, method: req.method);
2016-10-22 20:41:36 +00:00
for (var result in resolved) req.params.addAll(result.allParams);
if (resolved.isNotEmpty) {
var route = resolved.first.route;
req.inject(Match, route.match(requestedUrl));
}
var m = new MiddlewarePipeline(resolved);
req.inject(MiddlewarePipeline, m);
return new List.from(before)..addAll(m.handlers)..addAll(after);
});
2016-11-23 19:50:17 +00:00
2017-01-20 22:40:48 +00:00
for (var handler in pipeline) {
2017-01-14 15:39:11 +00:00
try {
if (!await executeHandler(handler, req, res)) break;
2017-06-19 01:53:51 +00:00
} on AngelHttpException catch (e, st) {
2017-07-02 01:56:23 +00:00
e.stackTrace ??= st;
return await handleAngelHttpException(e, st, req, res, request);
2017-01-14 15:39:11 +00:00
}
2016-10-22 20:41:36 +00:00
}
2017-01-14 15:39:11 +00:00
try {
2017-02-13 00:38:33 +00:00
await sendResponse(request, req, res);
2017-06-19 01:53:51 +00:00
} on AngelHttpException catch (e, st) {
2017-07-02 01:56:23 +00:00
e.stackTrace ??= st;
return await handleAngelHttpException(e, st, req, res, request,
ignoreFinalizers: true);
2016-05-01 01:42:52 +00:00
}
2017-01-14 15:39:11 +00:00
} catch (e, st) {
_fatalErrorStream
.add(new AngelFatalError(request: request, error: e, stack: st));
2016-04-22 01:42:39 +00:00
}
}
2017-04-01 01:00:24 +00:00
/// Runs several optimizations, *if* [isProduction] is `true`.
///
/// * Preprocesses all dependency injection, and eliminates the burden of reflecting handlers
2016-12-31 02:00:52 +00:00
/// at run-time.
2017-04-01 01:00:24 +00:00
/// * [flatten]s the route tree into a linear one.
2017-06-06 12:42:33 +00:00
///
/// You may [force] the optimization to run, if you are not running in production.
void optimizeForProduction({bool force: false}) {
if (isProduction == true || force == true) {
_isProduction = true;
2017-04-01 01:00:24 +00:00
_add(v) {
if (v is Function && !_preContained.containsKey(v)) {
_preContained[v] = preInject(v);
}
2016-12-31 02:00:52 +00:00
}
2017-04-01 01:00:24 +00:00
void _walk(Router router) {
if (router is Angel) {
router..before.forEach(_add)..after.forEach(_add);
}
router.requestMiddleware.forEach((k, v) => _add(v));
router.middleware.forEach(_add);
2017-06-06 12:42:33 +00:00
router.routes.forEach((r) {
r.handlers.forEach(_add);
if (r is SymlinkRoute) _walk(r.router);
});
2017-01-15 19:52:14 +00:00
}
2017-04-02 19:14:10 +00:00
if (_flattened == null) _flattened = flatten(this);
_walk(_flattened);
//if (silent != true) print('Angel is running in production mode.');
2016-12-31 02:00:52 +00:00
}
}
2016-12-31 01:46:41 +00:00
/// Run a function after injecting from service container.
/// If this function has been reflected before, then
/// the execution will be faster, as the injection requirements were stored beforehand.
Future runContained(
Function handler, RequestContext req, ResponseContext res) {
if (_preContained.containsKey(handler)) {
return handleContained(handler, _preContained[handler])(req, res);
}
return runReflected(handler, req, res);
}
/// Runs with DI, and *always* reflects. Prefer [runContained].
Future runReflected(
Function handler, RequestContext req, ResponseContext res) async {
2017-01-12 01:52:06 +00:00
var h =
handleContained(handler, _preContained[handler] = preInject(handler));
return await h(req, res);
2016-12-31 01:46:41 +00:00
// return await closureMirror.apply(args).reflectee;
2016-09-17 16:12:25 +00:00
}
2017-02-13 00:38:33 +00:00
/// Use [sendResponse] instead.
@deprecated
2017-01-20 22:40:48 +00:00
Future sendRequest(
2017-02-13 00:38:33 +00:00
HttpRequest request, RequestContext req, ResponseContext res) =>
sendResponse(request, req, res);
/// Sends a response.
Future sendResponse(
HttpRequest request, RequestContext req, ResponseContext res,
{bool ignoreFinalizers: false}) {
2017-01-20 22:40:48 +00:00
_afterProcessed.add(request);
if (res.willCloseItself) {
return new Future.value();
} else {
Future finalizers = ignoreFinalizers == true
? new Future.value()
: responseFinalizers.fold<Future>(
new Future.value(), (out, f) => out.then((_) => f(req, res)));
2017-01-20 22:40:48 +00:00
2017-04-02 19:14:10 +00:00
if (res.isOpen) res.end();
2017-01-20 22:40:48 +00:00
for (var key in res.headers.keys) {
request.response.headers.add(key, res.headers[key]);
}
request.response.headers
..chunkedTransferEncoding = res.chunked ?? true
..set(HttpHeaders.CONTENT_LENGTH, res.buffer.length);
request.response
..statusCode = res.statusCode
..cookies.addAll(res.cookies)
..add(res.buffer.toBytes());
return finalizers.then((_) => request.response.close());
2017-01-20 22:40:48 +00:00
}
}
2016-04-18 03:27:23 +00:00
/// Applies an [AngelConfigurer] to this instance.
Future configure(AngelConfigurer configurer) async {
await configurer(this);
2016-07-05 22:11:54 +00:00
2016-11-28 00:49:27 +00:00
if (configurer is Controller)
2016-12-31 02:00:52 +00:00
_onController.add(controllers[configurer.findExpose().path] = configurer);
2016-02-28 13:11:17 +00:00
}
2016-12-31 02:00:52 +00:00
/// Starts the server, wrapped in a [runZoned] call.
Future<HttpServer> listen({InternetAddress address, int port: 3000}) {
var c = new Completer<HttpServer>();
2016-02-28 13:11:17 +00:00
runZoned(() async {
await startServer(address, port)
.then(c.complete)
.catchError(c.completeError);
}, onError: (e, st) {
_fatalErrorStream.add(new AngelFatalError(error: e, stack: st));
});
return c.future;
}
2016-12-21 18:18:26 +00:00
/// Mounts the child on this router.
///
/// If the router is an [Angel] instance, all controllers
/// will be copied, as well as services and response finalizers.
///
/// [before] and [after] will be preserved.
2016-12-31 01:46:41 +00:00
///
2016-12-21 18:18:26 +00:00
/// NOTE: The above will not be properly copied if [path] is
/// a [RegExp].
@override
use(Pattern path, @checked Routable routable,
2016-10-22 20:41:36 +00:00
{bool hooked: true, String namespace: null}) {
2017-01-20 22:40:48 +00:00
var head = path.toString().replaceAll(_straySlashes, '');
2016-12-21 18:18:26 +00:00
2016-11-28 00:49:27 +00:00
if (routable is Angel) {
2016-12-21 18:18:26 +00:00
_children.add(routable.._parent = this);
2017-01-15 19:52:14 +00:00
_preContained.addAll(routable._preContained);
2016-12-21 18:18:26 +00:00
if (routable.before.isNotEmpty) {
all(path, (req, res) {
return true;
}, middleware: routable.before);
}
if (routable.after.isNotEmpty) {
all(path, (req, res) {
return true;
}, middleware: routable.after);
}
if (routable.responseFinalizers.isNotEmpty) {
responseFinalizers.add((req, res) async {
if (req.path.replaceAll(_straySlashes, '').startsWith(head)) {
for (var finalizer in routable.responseFinalizers)
await finalizer(req, res);
}
return true;
});
}
2016-11-28 00:49:27 +00:00
routable.controllers.forEach((k, v) {
2017-01-20 22:40:48 +00:00
var tail = k.toString().replaceAll(_straySlashes, '');
2016-11-28 00:49:27 +00:00
controllers['$head/$tail'.replaceAll(_straySlashes, '')] = v;
});
2016-12-21 18:18:26 +00:00
routable.services.forEach((k, v) {
2017-01-20 22:40:48 +00:00
var tail = k.toString().replaceAll(_straySlashes, '');
2016-12-21 18:18:26 +00:00
services['$head/$tail'.replaceAll(_straySlashes, '')] = v;
});
_beforeProcessed.whenInitialized(() {
routable.beforeProcessed.listen(_beforeProcessed.add);
});
_afterProcessed.whenInitialized(() {
routable.afterProcessed.listen(_afterProcessed.add);
});
_fatalErrorStream.whenInitialized(() {
routable.fatalErrorStream.listen(_fatalErrorStream.add);
});
_onController.whenInitialized(() {
routable.onController.listen(_onController.add);
});
2016-11-28 00:49:27 +00:00
}
if (routable is Service) {
routable.app = this;
}
2016-10-22 20:41:36 +00:00
return super.use(path, routable, hooked: hooked, namespace: namespace);
2016-02-28 13:11:17 +00:00
}
2016-06-21 22:56:04 +00:00
/// Registers a callback to run upon errors.
2017-03-04 21:12:39 +00:00
@deprecated
2016-06-21 22:56:04 +00:00
onError(AngelErrorHandler handler) {
2017-03-04 21:12:39 +00:00
this.errorHandler = handler;
}
2016-04-22 01:42:39 +00:00
2017-01-20 22:11:20 +00:00
/// Default constructor. ;)
Angel({@deprecated bool debug: false}) : super() {
2016-09-17 16:12:25 +00:00
bootstrapContainer();
}
2016-02-28 13:11:17 +00:00
2017-01-20 22:11:20 +00:00
/// An instance mounted on a server started by the [serverGenerator].
factory Angel.custom(ServerGenerator serverGenerator,
{@deprecated bool debug: false}) =>
new Angel().._serverGenerator = serverGenerator;
2017-01-20 22:11:20 +00:00
2017-02-26 21:31:09 +00:00
factory Angel.fromSecurityContext(SecurityContext context,
{@deprecated bool debug: false}) {
var app = new Angel();
2017-02-26 21:31:09 +00:00
app._serverGenerator = (InternetAddress address, int port) async {
return await HttpServer.bindSecure(address, port, context);
};
return app;
}
2016-04-18 03:27:23 +00:00
/// Creates an HTTPS server.
2017-01-20 22:11:20 +00:00
///
/// Provide paths to a certificate chain and server key (both .pem).
/// If no password is provided, a random one will be generated upon running
/// the server.
2016-11-23 19:50:17 +00:00
factory Angel.secure(String certificateChainPath, String serverKeyPath,
{bool debug: false, String password}) {
2017-02-26 21:31:09 +00:00
var certificateChain =
Platform.script.resolve(certificateChainPath).toFilePath();
var serverKey = Platform.script.resolve(serverKeyPath).toFilePath();
var serverContext = new SecurityContext();
2017-03-02 04:04:37 +00:00
serverContext.useCertificateChain(certificateChain, password: password);
2017-02-26 21:31:09 +00:00
serverContext.usePrivateKey(serverKey, password: password);
return new Angel.fromSecurityContext(serverContext);
}
}
2016-12-31 02:00:52 +00:00
/// Predetermines what needs to be injected for a handler to run.
InjectionRequest preInject(Function handler) {
var injection = new InjectionRequest();
2017-02-25 00:16:31 +00:00
ClosureMirror closureMirror = reflect(handler);
2016-12-31 02:00:52 +00:00
2017-02-25 20:57:28 +00:00
if (closureMirror.function.parameters.isEmpty) return injection;
2016-12-31 02:00:52 +00:00
// Load parameters
for (var parameter in closureMirror.function.parameters) {
var name = MirrorSystem.getName(parameter.simpleName);
var type = parameter.type.reflectedType;
2017-01-20 22:11:20 +00:00
if (!parameter.isNamed) {
if (parameter.isOptional) injection.optional.add(name);
if (type == RequestContext || type == ResponseContext) {
injection.required.add(type);
} else if (name == 'req') {
injection.required.add(RequestContext);
} else if (name == 'res') {
injection.required.add(ResponseContext);
} else if (type == dynamic) {
injection.required.add(name);
} else {
injection.required.add([name, type]);
}
2016-12-31 02:00:52 +00:00
} else {
2017-01-20 22:11:20 +00:00
injection.named[name] = type;
2016-12-31 02:00:52 +00:00
}
}
return injection;
}