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

Unified Diff: sdk/lib/_internal/pub/lib/src/barback/web_socket_api.dart

Issue 209123003: Revert r34269, as it broke the editor build (Closed) Base URL: http://dart.googlecode.com/svn/branches/bleeding_edge/dart/
Patch Set: Created 6 years, 9 months 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 side-by-side diff with in-line comments
Download patch
Index: sdk/lib/_internal/pub/lib/src/barback/web_socket_api.dart
===================================================================
--- sdk/lib/_internal/pub/lib/src/barback/web_socket_api.dart (revision 34273)
+++ sdk/lib/_internal/pub/lib/src/barback/web_socket_api.dart (working copy)
@@ -11,30 +11,61 @@
import 'package:barback/barback.dart';
import 'package:path/path.dart' as path;
import 'package:stack_trace/stack_trace.dart';
-import 'package:json_rpc_2/json_rpc_2.dart' as json_rpc;
import '../log.dart' as log;
import '../utils.dart';
import 'build_environment.dart';
-/// The error code for a directory not being served.
-const _NOT_SERVED = 1;
+import '../log.dart' as log;
/// Implements the [WebSocket] API for communicating with a running pub serve
/// process, mainly for use by the Editor.
///
-/// This is a [JSON-RPC 2.0](http://www.jsonrpc.org/specification) server. Its
-/// methods are described in the method-level documentation below.
+/// Requests must be string-encoded JSON maps. Each request is a command, and
+/// the map must have a command key:
+///
+/// {
+/// "command": "name"
+/// }
+///
+/// The request may also have an "id" key with any value. If present in the
+/// request, the response will include an "id" key with the same value. This
+/// can be used by the client to match requests to responses when multiple
+/// concurrent requests may be in flight.
+///
+/// {
+/// "command": "name",
+/// "id": "anything you want"
+/// }
+///
+/// The request may have other keys for parameters to the command. It's an
+/// error to invoke an unknown command.
+///
+/// All responses sent on the socket are string-encoded JSON maps. If an error
+/// occurs while processing the request, an error response will be sent like:
+///
+/// {
+/// "error": "Human-friendly error message."
+/// "code": "UNIQUE_IDENTIFIER"
+/// }
+///
+/// The code will be a short string that can be used to uniquely identify the
+/// category of error.
+///
+/// No successful response map will contain a key named "error".
class WebSocketApi {
final WebSocket _socket;
final BuildEnvironment _environment;
- final _server = new json_rpc.Server();
+ Map<String, _CommandHandler> _commands;
+
WebSocketApi(this._socket, this._environment) {
- _server.registerMethod("urlToAssetId", _urlToAssetId);
- _server.registerMethod("pathToUrls", _pathToUrls);
- _server.registerMethod("serveDirectory", _serveDirectory);
- _server.registerMethod("unserveDirectory", _unserveDirectory);
+ _commands = {
+ "urlToAssetId": _urlToAssetId,
+ "pathToUrls": _pathToUrls,
+ "serveDirectory": _serveDirectory,
+ "unserveDirectory": _unserveDirectory
+ };
}
/// Listens on the socket.
@@ -43,9 +74,64 @@
/// complete with an error if the socket had an error, otherwise it will
/// complete to `null`.
Future listen() {
- return _socket.listen((request) {
- _server.parseRequest(request).then((response) {
- if (response != null) _socket.add(response);
+ return _socket.listen((data) {
+ log.io("Web Socket command: $data");
+
+ var command;
+ return syncFuture(() {
+ try {
+ command = JSON.decode(data);
+ } on FormatException catch (ex) {
+ throw new _WebSocketException(_ErrorCode.BAD_COMMAND,
+ '"$data" is not valid JSON: ${ex.message}');
+ }
+
+ if (command is! Map) {
+ throw new _WebSocketException(_ErrorCode.BAD_COMMAND,
+ 'Command must be a JSON map. Got $data.');
+ }
+
+ if (!command.containsKey("command")) {
+ throw new _WebSocketException(_ErrorCode.BAD_COMMAND,
+ 'Missing command name. Got $data.');
+ }
+
+ var handler = _commands[command["command"]];
+ if (handler == null) {
+ throw new _WebSocketException(_ErrorCode.BAD_COMMAND,
+ 'Unknown command "${command["command"]}".');
+ }
+
+ return handler(command);
+ }).then((response) {
+ // If the command has an ID, include it in the response.
+ if (command.containsKey("id")) {
+ response["id"] = command["id"];
+ }
+
+ _socket.add(JSON.encode(response));
+ }).catchError((error, [stackTrace]) {
+ var response;
+ if (error is _WebSocketException) {
+ response = {
+ "code": error.code,
+ "error": error.message
+ };
+ } else {
+ // Catch any other errors and pipe them through the web socket.
+ response = {
+ "code": _ErrorCode.UNEXPECTED_ERROR,
+ "error": error.toString(),
+ "stackTrace": new Chain.forTrace(stackTrace).toString()
+ };
+ }
+
+ // If the command has an ID, include it in the response.
+ if (command is Map && command.containsKey("id")) {
+ response["id"] = command["id"];
+ }
+
+ _socket.add(JSON.encode(response));
});
}, cancelOnError: true).asFuture();
}
@@ -53,17 +139,18 @@
/// Given a URL to an asset that is served by pub, returns the ID of the
/// asset that would be accessed by that URL.
///
- /// The method name is "urlToAssetId" and it takes a "url" parameter for the
- /// URL being mapped:
+ /// The command name is "urlToAssetId" and it takes a "url" key for the URL
+ /// being mapped:
///
- /// "params": {
+ /// {
+ /// "command": "urlToAssetId",
/// "url": "http://localhost:8080/index.html"
/// }
///
/// If successful, it returns a map containing the asset ID's package and
/// path:
///
- /// "result": {
+ /// {
/// "package": "myapp",
/// "path": "web/index.html"
/// }
@@ -94,23 +181,23 @@
///
/// This does *not* currently check to ensure the asset actually exists. It
/// only maps what the corresponding asset *should* be for that URL.
- Map _urlToAssetId(json_rpc.Parameters params) {
- // TODO(nweiz): Use [params.asUrl] when issue 17700 is fixed.
- var urlString = params["url"].asString;
+ Map _urlToAssetId(Map command) {
+ var urlString = _validateString(command, "url");
var url;
try {
url = Uri.parse(urlString);
- } on FormatException catch (ex) {
- throw new json_rpc.RpcException.invalidParams(
+ } on FormatException catch(ex) {
+ print(ex);
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
'"$urlString" is not a valid URL.');
}
// If a line number was given, map it to the output line.
- var line = params["line"].asIntOr(null);
+ var line = _validateOptionalInt(command, "line");
var id = _environment.getAssetIdForUrl(url);
if (id == null) {
- throw new json_rpc.RpcException(_NOT_SERVED,
+ throw new _WebSocketException(_ErrorCode.NOT_SERVED,
'"${url.host}:${url.port}" is not being served by pub.');
}
@@ -132,18 +219,19 @@
/// Given a path on the filesystem, returns the URLs served by pub that can be
/// used to access asset found at that path.
///
- /// The method name is "pathToUrls" and it takes a "path" key (a native OS
+ /// The command name is "pathToUrls" and it takes a "path" key (a native OS
/// path which may be absolute or relative to the root directory of the
/// entrypoint package) for the path being mapped:
///
- /// "params": {
+ /// {
+ /// "command": "pathToUrls",
/// "path": "web/index.html"
/// }
///
/// If successful, it returns a map containing the list of URLs that can be
/// used to access that asset.
///
- /// "result": {
+ /// {
/// "urls": ["http://localhost:8080/index.html"]
/// }
///
@@ -152,14 +240,15 @@
/// to its location on disk. Only the "lib" and "asset" directories are
/// visible in other packages:
///
- /// "params": {
+ /// {
+ /// "command": "assetIdToUrl",
/// "path": "packages/http/http.dart"
/// }
///
/// Assets in the "lib" and "asset" directories will usually have one URL for
/// each server:
///
- /// "result": {
+ /// {
/// "urls": [
/// "http://localhost:8080/packages/http/http.dart",
/// "http://localhost:8081/packages/http/http.dart"
@@ -180,13 +269,13 @@
/// If the asset is not in a directory being served by pub, returns an error:
///
/// example/index.html -> NOT_SERVED error
- Map _pathToUrls(json_rpc.Parameters params) {
- var assetPath = params["path"].asString;
- var line = params["line"].asIntOr(null);
+ Map _pathToUrls(Map command) {
+ var assetPath = _validateString(command, "path");
+ var line = _validateOptionalInt(command, "line");
var urls = _environment.getUrlsForAssetPath(assetPath);
if (urls.isEmpty) {
- throw new json_rpc.RpcException(_NOT_SERVED,
+ throw new _WebSocketException(_ErrorCode.NOT_SERVED,
'Asset path "$assetPath" is not currently being served.');
}
@@ -204,24 +293,25 @@
/// Given a relative directory path within the entrypoint package, binds a
/// new port to serve from that path and returns its URL.
///
- /// The method name is "serveDirectory" and it takes a "path" key (a native
+ /// The command name is "serveDirectory" and it takes a "path" key (a native
/// OS path relative to the root of the entrypoint package) for the directory
/// being served:
///
- /// "params": {
+ /// {
+ /// "command": "serveDirectory",
/// "path": "example/awesome"
/// }
///
/// If successful, it returns a map containing the URL that can be used to
/// access the directory.
///
- /// "result": {
+ /// {
/// "url": "http://localhost:8083"
/// }
///
/// If the directory is already being served, returns the previous URL.
- Future<Map> _serveDirectory(json_rpc.Parameters params) {
- var rootDirectory = _validateRelativePath(params, "path");
+ Future<Map> _serveDirectory(Map command) {
+ var rootDirectory = _validateRelativePath(command, "path");
return _environment.serveDirectory(rootDirectory).then((server) {
return {
"url": server.url.toString()
@@ -233,27 +323,28 @@
/// the server previously bound to that directory and returns its (now
/// unreachable) URL.
///
- /// The method name is "unserveDirectory" and it takes a "path" key (a
+ /// The command name is "unserveDirectory" and it takes a "path" key (a
/// native OS path relative to the root of the entrypoint package) for the
/// directory being unserved:
///
- /// "params": {
+ /// {
+ /// "command": "unserveDirectory",
/// "path": "example/awesome"
/// }
///
/// If successful, it returns a map containing the URL that used to be used
/// to access the directory.
///
- /// "result": {
+ /// {
/// "url": "http://localhost:8083"
/// }
///
/// If no server is bound to that directory, it returns a `NOT_SERVED` error.
- Future<Map> _unserveDirectory(json_rpc.Parameters params) {
- var rootDirectory = _validateRelativePath(params, "path");
+ Future<Map> _unserveDirectory(Map command) {
+ var rootDirectory = _validateRelativePath(command, "path");
return _environment.unserveDirectory(rootDirectory).then((url) {
if (url == null) {
- throw new json_rpc.RpcException(_NOT_SERVED,
+ throw new _WebSocketException(_ErrorCode.NOT_SERVED,
'Directory "$rootDirectory" is not bound to a server.');
}
@@ -261,26 +352,91 @@
});
}
+ /// Validates that [command] has a field named [key] whose value is a string.
+ ///
+ /// Returns the string if found, or throws a [_WebSocketException] if
+ /// validation failed.
+ String _validateString(Map command, String key, {bool optional: false}) {
+ if (!optional && !command.containsKey(key)) {
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
+ 'Missing "$key" argument.');
+ }
+
+ var field = command[key];
+ if (field is String) return field;
+ if (field == null && optional) return null;
+
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
+ '"$key" must be a string. Got ${JSON.encode(field)}.');
+ }
+
/// Validates that [command] has a field named [key] whose value is a string
/// containing a relative path that doesn't reach out of the entrypoint
/// package's root directory.
///
/// Returns the path if found, or throws a [_WebSocketException] if
/// validation failed.
- String _validateRelativePath(json_rpc.Parameters params, String key) {
- var pathString = params[key].asString;
+ String _validateRelativePath(Map command, String key) {
+ var pathString = _validateString(command, key);
if (!path.isRelative(pathString)) {
- throw new json_rpc.RpcException.invalidParams(
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
'"$key" must be a relative path. Got "$pathString".');
}
if (!path.isWithin(".", pathString)) {
- throw new json_rpc.RpcException.invalidParams(
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
'"$key" cannot reach out of its containing directory. '
'Got "$pathString".');
}
return pathString;
}
+
+ /// Validates that if [command] has a field named [key], then its value is a
+ /// number.
+ ///
+ /// Returns the number if found or `null` if not present. Throws an
+ /// [_WebSocketException] if the key is there but the field is the wrong type.
+ int _validateOptionalInt(Map command, String key) {
+ if (!command.containsKey(key)) return null;
+
+ var field = command[key];
+ if (field is int) return field;
+
+ throw new _WebSocketException(_ErrorCode.BAD_ARGUMENT,
+ '"$key" must be an integer. Got ${JSON.encode(field)}.');
+ }
}
+
+/// Function for processing a single web socket command.
+///
+/// It can return a [Map] or a [Future] that completes to one.
+typedef _CommandHandler(Map command);
+
+/// Web socket API error codenames.
+class _ErrorCode {
+ /// An error of an unknown type has occurred.
+ static const UNEXPECTED_ERROR = "UNEXPECTED_ERROR";
+
+ /// The format or name of the command is not valid.
+ static const BAD_COMMAND = "BAD_COMMAND";
+
+ /// An argument to the commant is the wrong type or has an invalid value.
+ static const BAD_ARGUMENT = "BAD_ARGUMENT";
+
+ /// The path or URL requested is not currently covered by any of the running
+ /// servers.
+ static const NOT_SERVED = "NOT_SERVED";
+}
+
+/// Exception thrown when an error occurs while processing a WebSocket command.
+///
+/// The top-level WebSocket API code will catch this and translate it to an
+/// appropriate error response.
+class _WebSocketException implements Exception {
+ final String code;
+ final String message;
+
+ _WebSocketException(this.code, this.message);
+}
« no previous file with comments | « sdk/lib/_internal/pub/lib/src/barback/old_web_socket_api.dart ('k') | sdk/lib/_internal/pub/test/serve/utils.dart » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698