The actions are the callable/public methods of the service. The action calling represents a remote-procedure-call (RPC). It has request parameters & returns response, like a HTTP request.
If you have multiple instances of services, the broker will load balance the request among instances. Read more about balancing.
Call services
To call a service use the broker.call
method. The broker looks for the service (and a node) which has the given action and call it. The function returns a Promise
.
Syntax
const res = await broker.call(actionName, params, opts); |
The actionName
is a dot-separated string. The first part of it is the service name, while the second part of it represents the action name. So if you have a posts
service with a create
action, you can call it as posts.create
.
The params
is an object which is passed to the action as a part of the Context. The service can access it via ctx.params
. It is optional. If you don’t define, it will be {}
.
The opts
is an object to set/override some request parameters, e.g.: timeout
, retryCount
. It is optional.
Available calling options:
Moleculer provides various calling options to customize the behavior of service calls. These options include timeout, retries, fallback response, target nodeID, metadata, parent context, and request ID.
Name | Type | Default | Description |
---|---|---|---|
timeout |
Number |
null |
Timeout of request in milliseconds. If the request is timed out and you don’t define fallbackResponse , broker will throw a RequestTimeout error. To disable set 0 . If it’s not defined, the requestTimeout value from broker options will be used. Read more. |
retries |
Number |
null |
Count of retry of request. If the request is timed out, broker will try to call again. To disable set 0 . If it’s not defined, the retryPolicy.retries value from broker options will be used. Read more. |
fallbackResponse |
Any |
null |
Returns it, if the request has failed. Read more. |
nodeID |
String |
null |
Target nodeID. If set, it will make a direct call to the specified node. |
meta |
Object |
{} |
Metadata of request. Access it via ctx.meta in actions handlers. It will be transferred & merged at nested calls, as well. |
parentCtx |
Context |
null |
Parent Context instance. Use it to chain the calls. |
requestID |
String |
null |
Request ID or Correlation ID. Use it for tracing. |
Usages
Call without params
const res = await broker.call("user.list"); |
Call with params
const res = await broker.call("user.get", { id: 3 }); |
Call with params and options
const res = await broker.call("user.recommendation", { limit: 5 }, { |
Call with promise error handling
broker.call("posts.update", { id: 2, title: "Modified post title" }) |
Direct call: get health info from the “node-21” node
const res = await broker.call("$node.health", null, { nodeID: "node-21" }) |
Metadata
Metadata in Moleculer allows you to send additional information along with service calls. This metadata can be accessed in action handlers via ctx.meta
and is useful for passing context-specific details or configuration parameters. Please note that in nested calls the meta
is merged.
broker.createService({ |
The meta
is sent back to the caller service. Use it to send extra meta information back to the caller. E.g.: send response headers back to API gateway or set resolved logged in user to metadata.
broker.createService({ |
When making internal calls to actions (this.actions.xy()
) you should set parentCtx
to pass meta
data.
Internal calls
broker.createService({ |
Headers
Headers in Moleculer serve a similar purpose to HTTP headers, allowing you to attach additional information to service calls.
Please note, header keys start with
$
means internal header keys (e.g.$streamObjectMode
). We recommend to don’t use this prefix for your keys to avoid conflicts.
Setting headers in action calls
broker.call("posts.list", { limit: 100 }, { |
You can also set header when emitting or boradcasting events.
Read headers inside action handler
// posts.service.js |
Metadata vs Headers
Metadata
- Purpose: Provides additional context or configuration parameters for service calls.
- Scope: Global within Moleculer, passed to all subsequent actions.
- Access: Accessed via
ctx.meta
within action handlers.
Usage:
- Sending context-specific details like authentication tokens.
- Propagating information across nested service calls.
Headers
- Purpose: Attaches metadata to individual service calls.
- Scope: Specific to each service call, not automatically propagated.
- Access: Accessed via
ctx.headers
within action handlers.
Usage
- Adding request-specific metadata like content type.
- Passing transient information for a single call.
Key Differences
- Scope: Metadata is global and passed to all subsequent actions, while headers are specific to each call.
- Propagation: Metadata is automatically propagated, headers need explicit passing.
- Merge: Metadata is merged in nested calls, headers are not.
- Accessibility: Metadata accessed via
ctx.meta
, headers viactx.headers
.
Timeout
Timeouts define the maximum time a service call waits for a response from another service. This helps prevent applications from hanging indefinitely while waiting for unresponsive services.
Timeout Levels:
- Global Broker Timeout: This default timeout applies to all service calls unless overridden at lower levels. It’s set using the
requestTimeout
option in the broker configuration. - Action-Specific Timeout: You can define a specific timeout for an individual action within its definition. This overrides the global broker timeout for that particular action.
- Call-Level Timeout: When calling a service, you can provide a
timeout
option directly within the call parameters. This overrides both the global and action-specific timeouts for that specific call.
Example
// moleculer.config.js
module.exports = {
nodeID: "node-1",
requestTimeout: 3000 // Global timeout setting in milliseconds
};
// greeter.service.js
module.exports = {
name: "greeter",
actions: {
normal: {
handler(ctx) {
return "Normal";
}
},
slow: {
timeout: 5000, // Action-specific timeout setting (5 seconds)
handler(ctx) {
return "Slow";
}
}
},
Calling examples
// Using global timeout (3 seconds) |
Multiple calls
Calling multiple actions
Moleculer.js allows you to execute multiple service calls simultaneously using the broker.mcall
or ctx.mcall
methods. This is useful for scenarios where you need data from different services to build a final response or perform actions in parallel.
Call Definition formats:
Array
of Objects: Each object in the array represents a single call with the following properties:action
: (Required) The name of the service action to be called.params
: (Optional) An object containing parameters to be passed to the action.options
: (Optional) An object containing additional options for the specific call (e.g., timeout).
Object
with Nested Properties: Here, the object itself acts as a container for multiple calls. Each key represents the service name, and the value is another object defining the action and parameters for that service.
Common Options:
You can optionally provide a second argument to mcall
to specify common options that apply to all calls within the request. This object can include properties like meta
or timeout
.
mcall
with Array <Object>
await broker.mcall( |
mcall
with Object and options.meta
await broker.mcall( |
Response handling
The mcall
method offers a settled
option that allows you to receive detailed information about the results of each call, including their success or failure status. With settled: true
, mcall
always resolves as a Promise
, and the response contains an array with objects for each call. Each object has a status property (“fulfilled” for success, “rejected” for failure) and a value
property containing the response data (for successful calls) or the error reason (for failed calls). Note that, without this option you won’t know how many (and which) calls were rejected.
Example
const res = await broker.mcall([ |
The res
will be something similar to
[ |
Streaming
Stream handling enables efficient transfer of data streams between services. This feature is particularly useful for processing large files, encoding/decoding streams, or compressing/decompressing data on the fly. The stream instance is passed as a calling options, so you can use params
as a normal action call.
Examples
Send a file to a service as a stream
const stream = fs.createReadStream(fileName); |
Object Mode StreamingObject Mode Streaming is also supported. In order to enable it set
$streamObjectMode: true
inmeta
.
Receiving a stream in a service
// file.service.js |
Return a stream as response in a service
module.exports = { |
Process received stream on the caller side
const filename = "avatar-123.jpg"; |
Action visibility
Action visibility
determines the accessibility and invocation permissions of service actions. By defining visibility levels, developers can control who can invoke actions and under what circumstances.
Functionality
- Public Access: Actions with
published
ornull
visibility are considered public and can be invoked locally, remotely, and published via API Gateway. - Remote Invocation:
public
actions can be called both locally and remotely but are not exposed via API Gateway publication. - Local Access Only: Actions with
protected
visibility are restricted to services located on the same node, ensuring they cannot be called remotely. - Internal Use Only:
private
actions are exclusively callable internally within the service, viathis.actions.xy()
syntax.
Change visibility
module.exports = { |
The default values is
null
(meanspublished
) due to backward compatibility.
Action hooks
Action hooks allow you to inject middleware functions into the request-response lifecycle of service actions. These hooks can execute before
, after
, or on errors
during action invocation, enabling tasks like parameter validation, response manipulation, and error handling. A hook is either a Function
or a String
. In case of a String
it must be equal to service’s method name.
Before hooks
In before hooks, it receives the ctx
, it can manipulate the ctx.params
, ctx.meta
, or add custom variables into ctx.locals
what you can use in the action handlers.
If there are any problem, it can throw an Error
. Please note, you can’t break/skip the further executions of hooks or action handler.
Main usages:
- parameter sanitization
- parameter validation
- entity finding
- authorization
After hooks
In after hooks, it receives the ctx
and the response
. It can manipulate or completely change the response.
In the hook, it has to return the response.
Main usages:
- property populating
- remove sensitive data.
- wrapping the response into an
Object
- convert the structure of the response
Error hooks
The error hooks are called when an Error
is thrown during action calling. It receives the ctx
and the err
. It can handle the error and return another response (fallback) or throws further the error.
Main usages:
- error handling
- wrap the error into another one
- fallback response
Service level declaration
Hooks can be assigned to a specific action (by indicating action name
), all actions (*
) in service or by indicating a wildcard (e.g., create-*
). The latter will be applied to all actions whose name starts with create-
. Action names can also be combined using a pipe symbol (e.g., create|update
)
Please notice that hook registration order matter as it defines sequence by which hooks are executed. For more information take a look at hook execution order.
Before hooks
const DbService = require("moleculer-db"); |
After & Error hooks
const DbService = require("moleculer-db"); |
Action level declaration
Hooks can be also registered inside action declaration.
Please note that hook registration order matter as it defines sequence by which hooks are executed. For more information take a look at hook execution order.
Before & After hooks
broker.createService({ |
Execution order
It is important to keep in mind that hooks have a specific execution order. This is especially important to remember when multiple hooks are registered at different (service and/or action) levels. Overall, the hooks have the following execution logic:
before
hooks: global (*
)->
service level->
action level.after
hooks: action level->
service level->
global (*
).
When using several hooks it might be difficult visualize their execution order. However, you can set the
logLevel
todebug
to quickly check the execution order of global and service level hooks.
Example of a global, service & action level hook execution chain
broker.createService({ |
Output produced by global, service & action level hooks
INFO - Before all hook |
Reusability
Ensuring hook reusability is crucial for maintaining clean and modular code. By defining hooks as standalone functions or mixins, you can easily share them across multiple actions and services, ensuring code efficiency and consistency.
// authorize.mixin.js |
// posts.service.js |
Local Storage
Local storage in Moleculer provides a lightweight mechanism for storing temporary data within the context of a service action. This storage, accessible via ctx.locals
, allows you to pass additional information to action handlers and maintain state across hook executions.
Setting ctx.locals
in before hook
module.exports = { |