pip-services3-rpc-node
Version:
Remote procedure calls for Pip.Services in Node.js
492 lines (441 loc) • 18.6 kB
text/typescript
/** @module services */
/** @hidden */
const _ = require('lodash');
const fs = require('fs');
import { IOpenable } from 'pip-services3-commons-node';
import { IUnreferenceable } from 'pip-services3-commons-node';
import { InvalidStateException } from 'pip-services3-commons-node';
import { IConfigurable } from 'pip-services3-commons-node';
import { IReferenceable } from 'pip-services3-commons-node';
import { IReferences } from 'pip-services3-commons-node';
import { ConfigParams } from 'pip-services3-commons-node';
import { DependencyResolver } from 'pip-services3-commons-node';
import { CompositeLogger } from 'pip-services3-components-node';
import { CompositeCounters } from 'pip-services3-components-node';
import { CounterTiming } from 'pip-services3-components-node';
import { Schema } from 'pip-services3-commons-node';
import { HttpEndpoint } from './HttpEndpoint';
import { IRegisterable } from './IRegisterable';
import { ISwaggerService } from './ISwaggerService';
import { HttpResponseSender } from './HttpResponseSender';
/**
* Abstract service that receives remove calls via HTTP/REST protocol.
*
* ### Configuration parameters ###
*
* - base_route: base route for remote URI
* - dependencies:
* - endpoint: override for HTTP Endpoint dependency
* - controller: override for Controller dependency
* - connection(s):
* - discovery_key: (optional) a key to retrieve the connection from [[https://pip-services3-node.github.io/pip-services3-components-node/interfaces/connect.idiscovery.html IDiscovery]]
* - protocol: connection protocol: http or https
* - host: host name or IP address
* - port: port number
* - uri: resource URI or connection string with all parameters in it
* - credential - the HTTPS credentials:
* - ssl_key_file: the SSL private key in PEM
* - ssl_crt_file: the SSL certificate in PEM
* - ssl_ca_file: the certificate authorities (root cerfiticates) in PEM
*
* ### References ###
*
* - <code>\*:logger:\*:\*:1.0</code> (optional) [[https://pip-services3-node.github.io/pip-services3-components-node/interfaces/log.ilogger.html ILogger]] components to pass log messages
* - <code>\*:counters:\*:\*:1.0</code> (optional) [[https://pip-services3-node.github.io/pip-services3-components-node/interfaces/count.icounters.html ICounters]] components to pass collected measurements
* - <code>\*:discovery:\*:\*:1.0</code> (optional) [[https://pip-services3-node.github.io/pip-services3-components-node/interfaces/connect.idiscovery.html IDiscovery]] services to resolve connection
* - <code>\*:endpoint:http:\*:1.0</code> (optional) [[HttpEndpoint]] reference
*
* @see [[RestClient]]
*
* ### Example ###
*
* class MyRestService extends RestService {
* private _controller: IMyController;
* ...
* public constructor() {
* base();
* this._dependencyResolver.put(
* "controller",
* new Descriptor("mygroup","controller","*","*","1.0")
* );
* }
*
* public setReferences(references: IReferences): void {
* base.setReferences(references);
* this._controller = this._dependencyResolver.getRequired<IMyController>("controller");
* }
*
* public register(): void {
* registerRoute("get", "get_mydata", null, (req, res) => {
* let correlationId = req.param("correlation_id");
* let id = req.param("id");
* this._controller.getMyData(correlationId, id, this.sendResult(req, res));
* });
* ...
* }
* }
*
* let service = new MyRestService();
* service.configure(ConfigParams.fromTuples(
* "connection.protocol", "http",
* "connection.host", "localhost",
* "connection.port", 8080
* ));
* service.setReferences(References.fromTuples(
* new Descriptor("mygroup","controller","default","default","1.0"), controller
* ));
*
* service.open("123", (err) => {
* console.log("The REST service is running on port 8080");
* });
*/
export abstract class RestService implements IOpenable, IConfigurable, IReferenceable,
IUnreferenceable, IRegisterable {
private static readonly _defaultConfig: ConfigParams = ConfigParams.fromTuples(
"base_route", "",
"dependencies.endpoint", "*:endpoint:http:*:1.0",
"dependencies.swagger", "*:swagger-service:*:*:1.0"
);
protected _config: ConfigParams;
private _references: IReferences;
private _localEndpoint: boolean;
private _opened: boolean;
/**
* The base route.
*/
protected _baseRoute: string;
/**
* The HTTP endpoint that exposes this service.
*/
protected _endpoint: HttpEndpoint;
/**
* The dependency resolver.
*/
protected _dependencyResolver: DependencyResolver = new DependencyResolver(RestService._defaultConfig);
/**
* The logger.
*/
protected _logger: CompositeLogger = new CompositeLogger();
/**
* The performance counters.
*/
protected _counters: CompositeCounters = new CompositeCounters();
protected _swaggerService: ISwaggerService;
protected _swaggerEnable: boolean = false;
protected _swaggerRoute: string = "swagger";
/**
* Configures component by passing configuration parameters.
*
* @param config configuration parameters to be set.
*/
public configure(config: ConfigParams): void {
config = config.setDefaults(RestService._defaultConfig);
this._config = config;
this._dependencyResolver.configure(config);
this._baseRoute = config.getAsStringWithDefault("base_route", this._baseRoute);
this._swaggerEnable = config.getAsBooleanWithDefault("swagger.enable", this._swaggerEnable);
this._swaggerRoute = config.getAsStringWithDefault("swagger.route", this._swaggerRoute);
}
/**
* Sets references to dependent components.
*
* @param references references to locate the component dependencies.
*/
public setReferences(references: IReferences): void {
this._references = references;
this._logger.setReferences(references);
this._counters.setReferences(references);
this._dependencyResolver.setReferences(references);
// Get endpoint
this._endpoint = this._dependencyResolver.getOneOptional('endpoint');
// Or create a local one
if (this._endpoint == null) {
this._endpoint = this.createEndpoint();
this._localEndpoint = true;
} else {
this._localEndpoint = false;
}
// Add registration callback to the endpoint
this._endpoint.register(this);
this._swaggerService = this._dependencyResolver.getOneOptional<ISwaggerService>("swagger");
}
/**
* Unsets (clears) previously set references to dependent components.
*/
public unsetReferences(): void {
// Remove registration callback from endpoint
if (this._endpoint != null) {
this._endpoint.unregister(this);
this._endpoint = null;
}
this._swaggerService = null;
}
private createEndpoint(): HttpEndpoint {
let endpoint = new HttpEndpoint();
if (this._config)
endpoint.configure(this._config);
if (this._references)
endpoint.setReferences(this._references);
return endpoint;
}
/**
* Adds instrumentation to log calls and measure call time.
* It returns a CounterTiming object that is used to end the time measurement.
*
* @param correlationId (optional) transaction id to trace execution through call chain.
* @param name a method name.
* @returns CounterTiming object to end the time measurement.
*/
protected instrument(correlationId: string, name: string): CounterTiming {
this._logger.trace(correlationId, "Executing %s method", name);
this._counters.incrementOne(name + ".exec_count");
return this._counters.beginTiming(name + ".exec_time");
}
/**
* Adds instrumentation to error handling.
*
* @param correlationId (optional) transaction id to trace execution through call chain.
* @param name a method name.
* @param err an occured error
* @param result (optional) an execution result
* @param callback (optional) an execution callback
*/
protected instrumentError(correlationId: string, name: string, err: any,
result: any = null, callback: (err: any, result: any) => void = null): void {
if (err != null) {
this._logger.error(correlationId, err, "Failed to execute %s method", name);
this._counters.incrementOne(name + '.exec_errors');
}
if (callback) callback(err, result);
}
/**
* Checks if the component is opened.
*
* @returns true if the component has been opened and false otherwise.
*/
public isOpen(): boolean {
return this._opened;
}
/**
* Opens the component.
*
* @param correlationId (optional) transaction id to trace execution through call chain.
* @param callback callback function that receives error or null no errors occured.
*/
public open(correlationId: string, callback?: (err: any) => void): void {
if (this._opened) {
callback(null);
return;
}
if (this._endpoint == null) {
this._endpoint = this.createEndpoint();
this._endpoint.register(this);
this._localEndpoint = true;
}
if (this._localEndpoint) {
this._endpoint.open(correlationId, (err) => {
this._opened = err == null;
callback(err);
});
} else {
this._opened = true;
callback(null);
}
}
/**
* Closes component and frees used resources.
*
* @param correlationId (optional) transaction id to trace execution through call chain.
* @param callback callback function that receives error or null no errors occured.
*/
public close(correlationId: string, callback?: (err: any) => void): void {
if (!this._opened) {
callback(null);
return;
}
if (this._endpoint == null) {
callback(new InvalidStateException(correlationId, 'NO_ENDPOINT', 'HTTP endpoint is missing'));
return;
}
if (this._localEndpoint) {
this._endpoint.close(correlationId, (err) => {
this._opened = false;
callback(err);
});
} else {
this._opened = false;
callback(null);
}
}
/**
* Creates a callback function that sends result as JSON object.
* That callack function call be called directly or passed
* as a parameter to business logic components.
*
* If object is not null it returns 200 status code.
* For null results it returns 204 status code.
* If error occur it sends ErrorDescription with approproate status code.
*
* @param req a HTTP request object.
* @param res a HTTP response object.
* @param callback function that receives execution result or error.
*/
protected sendResult(req, res): (err: any, result: any) => void {
return HttpResponseSender.sendResult(req, res);
}
/**
* Creates a callback function that sends newly created object as JSON.
* That callack function call be called directly or passed
* as a parameter to business logic components.
*
* If object is not null it returns 201 status code.
* For null results it returns 204 status code.
* If error occur it sends ErrorDescription with approproate status code.
*
* @param req a HTTP request object.
* @param res a HTTP response object.
* @param callback function that receives execution result or error.
*/
protected sendCreatedResult(req, res): (err: any, result: any) => void {
return HttpResponseSender.sendCreatedResult(req, res);
}
/**
* Creates a callback function that sends deleted object as JSON.
* That callack function call be called directly or passed
* as a parameter to business logic components.
*
* If object is not null it returns 200 status code.
* For null results it returns 204 status code.
* If error occur it sends ErrorDescription with approproate status code.
*
* @param req a HTTP request object.
* @param res a HTTP response object.
* @param callback function that receives execution result or error.
*/
protected sendDeletedResult(req, res): (err: any, result: any) => void {
return HttpResponseSender.sendDeletedResult(req, res);
}
/**
* Sends error serialized as ErrorDescription object
* and appropriate HTTP status code.
* If status code is not defined, it uses 500 status code.
*
* @param req a HTTP request object.
* @param res a HTTP response object.
* @param error an error object to be sent.
*/
protected sendError(req, res, error): void {
HttpResponseSender.sendError(req, res, error);
}
private appendBaseRoute(route: string): string {
route = route || "/";
if (this._baseRoute != null && this._baseRoute.length > 0) {
let baseRoute = this._baseRoute;
if (route.length == 0) route = "/";
if (route[0] != '/') route = "/" + route;
if (baseRoute[0] != '/') baseRoute = '/' + baseRoute;
route = baseRoute + route;
}
return route;
}
/**
* Registers a route in HTTP endpoint.
*
* @param method HTTP method: "get", "head", "post", "put", "delete"
* @param route a command route. Base route will be added to this route
* @param schema a validation schema to validate received parameters.
* @param action an action function that is called when operation is invoked.
*/
protected registerRoute(method: string, route: string, schema: Schema,
action: (req: any, res: any) => void): void {
if (this._endpoint == null) return;
route = this.appendBaseRoute(route);
this._endpoint.registerRoute(
method, route, schema,
(req, res) => {
action.call(this, req, res);
}
);
}
/**
* Registers a route with authorization in HTTP endpoint.
*
* @param method HTTP method: "get", "head", "post", "put", "delete"
* @param route a command route. Base route will be added to this route
* @param schema a validation schema to validate received parameters.
* @param authorize an authorization interceptor
* @param action an action function that is called when operation is invoked.
*/
protected registerRouteWithAuth(method: string, route: string, schema: Schema,
authorize: (req: any, res: any, next: () => void) => void,
action: (req: any, res: any) => void): void {
if (this._endpoint == null) return;
route = this.appendBaseRoute(route);
this._endpoint.registerRouteWithAuth(
method, route, schema,
(req, res, next) => {
if (authorize)
authorize.call(this, req, res, next);
else next();
},
(req, res) => {
action.call(this, req, res);
}
);
}
/**
* Registers a middleware for a given route in HTTP endpoint.
*
* @param route a command route. Base route will be added to this route
* @param action an action function that is called when middleware is invoked.
*/
protected registerInterceptor(route: string,
action: (req: any, res: any, next: () => void) => void): void {
if (this._endpoint == null) return;
route = this.appendBaseRoute(route);
this._endpoint.registerInterceptor(
route,
(req, res, next) => {
action.call(this, req, res, next);
}
);
}
/**
* Returns correlationId from request
* @param req - http request
* @return Returns correlationId from request
*/
public getCorrelationId(req: any): string {
let correlationId = req.query.correlation_id;
if (_.isEmpty(correlationId)) {
correlationId = req.headers['correlation_id']
}
return correlationId
}
/**
* Registers all service routes in HTTP endpoint.
*
* This method is called by the service and must be overriden
* in child classes.
*/
public abstract register(): void;
protected registerOpenApiSpecFromFile(path: string) {
var content = fs.readFileSync(path).toString();
this.registerOpenApiSpec(content);
}
protected registerOpenApiSpec(content: string) {
if (this._swaggerEnable) {
this.registerRoute("get", this._swaggerRoute, null, (req, res) => {
res.writeHead(200, {
'Content-Length': Buffer.byteLength(content),
'Content-Type': 'application/x-yaml'
});
res.write(content);
res.end();
});
if (this._swaggerService != null) {
this._swaggerService.registerOpenApiSpec(this._baseRoute, this._swaggerRoute);
}
}
}
}