Mediators Catalog

This document lists all the built-in mediators of Synapse and describes their usage, functionality and configuration syntax.

Introduction

Mediator is the basic message processing unit in Synapse. A mediator takes an input message, carries out some processing on it, and provides an output message. Mediators can be linked up and arranged into chains to implement complex message flows (sequences). Mediators can manipulate message content (payload), properties, headers and if needed can also execute additional tasks such as database lookup, service invocation and script execution.

Apache Synapse ships with an array of useful mediators that can be used out of the box to implement message flows, services and integration patterns. Rest of this article describes these mediators in detail, along with their use cases and configuration syntax.

Mediator Categories

Built-in mediators of Synapse can be classified into several groups depending on the nature of their functionality and use cases.

  • Core mediators - Utility mediators that are useful in a variety of scenarios
  • Filter mediators - Mediators used to filter out messages
  • Transform mediators - Mediators used to transform message content, headers and attributes
  • Extension mediators - Mediators used to extend the Synapse mediation engine by plugging in custom developed code
  • Advanced mediators - Mediators used to implement advanced integration scenarios and patterns

Rest of this article is structured according to the above classification. Mediators in each section are arranged in the alphabetical order.

Core Mediators

Drop Mediator

Drop mediator can be used to drop the current message being processed and terminate a message flow. This mediator is configured as follows and it does not take any additional parameters or arguments.

<drop/>

Log Mediator

Log mediator can be used in any sequence or proxy service to log the messages being mediated. Log entries generated by the log mediator will go into the standard Synapse log files. This can be further configured using the log4j.properties file.

By default, the log mediator only logs a minimalistic set of details to avoid the message content being parsed. But if needed it can be configured to log the full message payload, headers and even custom user defined properties. The log mediator configuration takes the following general form.

<log [level="simple|full|headers|custom"] [separator="string"] [category="INFO|DEBUG|WARN|ERROR|TRACE|FATAL"]> <property name="string" (value="literal" | expression="xpath")/>* </log>

The 'level' attribute is used to specify how much information should be logged by the log mediator. This attribute can take one of following four values.

  • simple - Logs a set of standard headers (To, From, WSAction, SOAPAction, ReplyTo and MessageID). If no log level is specified, this level will be used by default.
  • full - Logs all standard headers logged in the log level 'simple' and also the full payload of the message. This log level causes the message content to be parsed and hence incurs a performance overhead.
  • headers - Logs all SOAP header blocks
  • custom - Only logs the user defined properties (see the next section)

Users can define custom attributes and properties to be logged by the log mediator by specifying some 'property' elements. Each property must be named, and can have a constant value or an XPath expression. If a constant value is specified, that value will be logged with each and every entry logged by the mediator. If an XPath is specified instead, that XPath will be evaluated on the message being mediated and the outcome will be included in the generated log entry.

By default, all properties and attributes logged by the log mediator are separated by commas (,). This can be configured using the 'separator' attribute. Further all logs generated by the mediator are logged at log4j log level 'INFO' by default. This behavior can also be configured using the 'category' attribute. In addition to this behaviour, when 'category' is set to debug, logs can be printed at log4j log level 'INFO' by starting the server with the following flag. This is especially helpful during the development time to quickly debug the mediation flow.

Linux / Unix: ./synapse.sh -synapseDebug
Windows: synapse.bat -synapseDebug

Property Mediator

Every message mediated through Synapse can have a set of associated properties. Synapse engine and the underlying transports set a number of properties on each message processed which can be manipulated by the user to modify the runtime behavior of the message flows. In addition, user can set his/her own properties on the message which is very helpful when it comes to managing message flow state and storing scenario specific variables. For an example in some situations a user might want to access a particular value in the request payload while processing a response. This can be easily achieved by setting the required value to a property in the request (in) sequence and then later accessing that property in the response (out) sequence.

Property mediator is used to manipulate the properties of a message. This mediator can be used to set and remove property values. When it comes to setting property values, the input could be a constant or a variable value generated by an XPath expression. The syntax for configuring the property mediator is as follows.

<property name="string" [action=set|remove] [type="string"] (value="literal" | expression="xpath") [scope=default|transport|axis2|axis2-client] [pattern="regex" [group="integer"]]> <xml-element/>? </property>

The 'name' attribute specifies the name of the property which needs to be either set or removed while the 'action' attribute specifies the exact action that needs to be carried out by the mediator. If not specified action will default to 'set'.

When setting a property value, either the 'value' or the 'expression' attribute must be specified. The 'value' attribute can be used to set a constant as the property value whereas the 'expression' attribute can be used to specify an XPath expression. If an XPath expression is specified, Synapse will evaluate that on the message to determine the value that needs to be assigned to the property.

Synapse properties are scoped. Therefore, when using this mediator the user should specify the scope at which the property will be set or removed from. If not specified, property mediator will work at the 'default' scope. Properties set in this scope last as long as the transaction (request-response) exists. Properties set on scope 'axis2' has a shorter life span and it's mainly used for passing parameters to the underlying Axis2 engine. Properties set in the 'transport' scope will be treated as transport headers. For an example if it is required to send an HTTP header named 'CustomHeader' with an outgoing request, one may use the property mediator configuration.

<property name="CustomHeader" value="some value" scope="transport" type="type name"/>

This will force Synapse to send a transport header named 'CustomHeader' along with the outgoing message. Property mediator also supports a scope named 'axis2-client'. Properties set in this scope will be treated as Axis2 client options.

When using properties to store user or scenario specific information it is recommended to always use the 'default' scope. Other scopes should not be used for custom development or mediation work since they have the potential to alter the behavior of the underlying Axis2 engine and transports framework.

By default, property mediator sets all property values as strings. It is possible to set properties in other types by specifying the 'type' attribute. This attribute can accept one of following values.

  • STRING
  • BOOLEAN
  • DOUBLE
  • FLOAT
  • INTEGER
  • LONG
  • SHORT
  • OM

The type names are case sensitive. Type 'OM' can be used to set XML property values on the message context. This becomes useful when the expression associated with the property mediator evaluates to an XML node during mediation. With the type attribute set to 'OM' the resulting XML will be converted to an AXIOM OMElement before assigning it to a property.

It is also possible to use the property mediator to set some static XML content as a property value. To do this specify the static XML content as a child node of the 'property' element instead of using the 'value' attribute.

Send Mediator

Send mediator is used to send requests to endpoints. The same can be used to send response messages back to clients. The send mediator is configured using the following XML syntax.

<send [receive="string"]> (endpointref | endpoint)? </send>

Messages are sent to the endpoint specified as the child of the 'send' element. An optional receiving sequence can be configured using the 'receive' attribute. When specified, response messages from the endpoint will be dispatched to the referred sequence. This makes it easier to implement complex service chaining scenarios, where the response from one service needs to be processed and directed to another service.

The send mediator can be configured without any child endpoints. For an example following is a perfectly valid send mediator configuration.

<send/>

In this case the messages will be sent to an implicit endpoint. If the message is a request from a client, Synapse will lookup the 'To' header of the request and simply forward it to the service addressed by that header. If it is a response from a back-end service, Synapse will simply send it back to the original client who initiated the original message flow.

The service invocations done by the send mediator may or may not be synchronous based on the underlying transport used. If the default non-blocking HTTP transport is used, the send mediator will make an asynchronous invocation and release the calling thread as soon as possible. Synapse will asynchronously handle the response from the endpoint while the giving the illusion that Synapse is making blocking service calls.

Respond Mediator

The Respond Mediator stops the processing on the current message flow and sends the message back to the client as a response.

<respond/>

Loopback Mediator

The Loopback Mediator moves the message from the In flow to the Out flow. All the configuration in the In flow that appears after the Loopback mediator is skipped.

<loopback/>

Filter Mediators

Filter Mediator

Filter mediator adds 'if-else' like semantics to the Synapse configuration language. It can be used to evaluate a condition on a message and take some action based on the outcome. The configuration of the filter mediator takes the following form.

<filter (source="xpath" regex="string") | xpath="xpath"> mediator+ </filter>

The filter mediator either tests the given XPath expression as a boolean expression, or matches the result of the source XPath expression as a string against the given regular expression. If the condition evaluates to true, the filter mediator will execute the enclosed child mediators.

Alternatively, one can use the following syntax to configure the filter mediator.

<filter (source="xpath" regex="string") | xpath="xpath"> <then [sequence="string"]> mediator+ </then> <else [sequence="string"]> mediator+ </else> </filter>

In this case also the filter condition is evaluated in the same manner as described above. Messages for which the condition evaluates to true will be mediated through the mediators enclosed by the 'then' element. Failed messages will be mediated through the mediators enclosed by the 'else' element.

In/Out Mediators

In mediator and Out mediator are used to filter out traffic based on the direction of the messages. As their names imply, In mediator processes only the requests (in messages) while ignoring the responses (out messages). The out mediator does the exact opposite by processing only the responses while ignoring the requests. In many occasions these two mediators are deployed together to create separate flows for requests and responses. The syntax outline for the two mediators is given below.

<in> mediator+ </in> <out> mediator+ </out>

In mediator will process requests through the child mediators and the Out mediator will process responses through the child mediators.

Switch Mediator

Switch mediator provides switch-case semantics in the Synapse configuration language.

<switch source="xpath"> <case regex="string"> mediator+ </case>+ <default> mediator+ </default>? </switch>

The source XPath is executed on the messages. The resulting value is then tested against the regular expressions defined in each 'case' element. When a matching case is found, the message will be mediated through its child mediators. If none of the cases match, the message will be handed to the 'default' case (if available).

Validate Mediator

The validate mediator validates the XML node selected by the source xpath expression, against the specified XML schema. If the source attribute is not specified, the validation is performed against the first child of the SOAP body of the current message. If the validation fails, the on-fail sequence of mediators is executed. Feature elements could be used to turn on/off some of the underlying features of the schema validator (See http://xerces.apache.org/xerces2-j/features.html). The schema can be specified as a static or dynamic key. When needed, imports can be specified using additional resources.

<validate [source="xpath"]> <schema key="string" />+ <resource location="<external-schema>" key="string">* <feature name="<validation-feature-name>" value="true|false"/>* <on-fail> mediator+ </on-fail> </validate>

Transformation Mediators

MakeFault Mediator

MakeFault mediator transforms the current message into a fault message. It should be noted that makeFault mediator does NOT send the message after transforming it. A send mediator needs to be invoked separately to send a fault message created by this mediator.

<makefault [version="soap11|soap12|pox"] [response="true|false"]> <code (value="literal" | expression="xpath")/> <reason (value="literal" | expression="xpath")/> <node>...</node>? <role>...</role>? (<detail expression="xpath"/> | <detail>...</detail>)? </makefault>

The To header of the fault message is set to the 'Fault-To' of the original message if such a header exists on the original message. Depending on the 'version' attribute, the fault message is created as a SOAP 1.1, SOAP 1.2 or POX fault. If the optional response attribute value is set as 'true', makefault mediator marks the message as a response. Optional 'node', 'role' and 'detail' sub-elements in the mediator configuration can be used to set the corresponding elements in the resulting SOAP fault.

Payload Factory Mediator

Payload-factory mediator creates a new SOAP payload for the message, replacing the existing one. printf() style formatting is used to configure the transformation performed by this mediator.

<payloadFactory> <format>"xmlstring"</format> <args> <arg (value="literal" | expression="xpath")/>* </args> </payloadFactory>

'format' sub-element of the mediator configuration specifies the format of the new payload. All $n occurrences in the format will be replaced by the value of the n th argument at runtime. Each argument in the mediator configuration could be a static value or an XPath expression. When an expression is used, value is fetched at runtime by evaluating the provided XPath expression against the existing SOAP message/message context.

URL Rewrite Mediator

URL Rewrite mediator can be used to modify and transform the URL values available in the message. By default, this mediator takes the 'To' header of the message and apples the provided rewrite rules on it. Alternatively, one can specify a property name in the 'inProperty' attribute, in which case the mediator takes the value of the specified property as the input URL.

Similarly, the mediator by default sets the transformed URL as the 'To' header of the message and alternatively you can use the 'outProperty' attribute to instruct the mediator to set the resulting URL as a property.

<rewrite [inProperty="string"] [outProperty="string"]> <rewriterule> <condition> ... </condition>? <action [type="append|prepend|replace|remove|set"] [value="string"] [xpath="xpath"] [fragment="protocol|host|port|path|query|ref|user|full"] [regex="regex"]>+ </rewriterule>+ </rewrite>

The mediator applies URL transformations by evaluating a set of rules on the message. Rules are specified using the 'rewriterule' element. Rules are evaluated in the order in which they are specified. A rule can consist of an optional condition and one or more rewrite actions. If the condition is provided, it is evaluated first and specified rewrite actions are executed only if the condition evaluates to true. If no condition is specified, the provided rewrite actions will be always executed. The condition should be wrapped in a 'condition' element within the 'rewriterule' element. Rewrite actions are specified using 'action' elements.

XQuery Mediator

The XQuery mediator can be used to perform an XQuery transformation. 'key' attribute specifies the XQuery transformation, and the optional 'target' attribute specifies the node of the message that should be transformed. This defaults to the first child of the SOAP body of the payload. 'variable' element defines a variable that could be bound to the dynamic context of the XQuery engine in order to access those variables through the XQuery script.

<xquery key="string" [target="xpath"]> <variable name="string" type="string" [key="string"] [expression="xpath"] [value="string"]/>? </xquery>

It is possible to specify just a literal 'value', or an XPath expression over the payload, or even specify a registry key or a registry key combined with an XPath expression that selects the variable. The name of the variable corresponds to the name of variable declaration in the XQuery script. The 'type' of the variable must be a valid type defined by the JSR-000225 (XQJ API).

The supported types are:

  • XQItemType.XQBASETYPE_INT -> INT
  • XQItemType.XQBASETYPE_INTEGER -> INTEGER
  • XQItemType.XQBASETYPE_BOOLEAN -> BOOLEAN
  • XQItemType.XQBASETYPE_BYTE - > BYTE
  • XQItemType.XQBASETYPE_DOUBLE -> DOUBLE
  • XQItemType.XQBASETYPE_SHORT -> SHORT
  • XQItemType.XQBASETYPE_LONG -> LONG
  • XQItemType.XQBASETYPE_FLOAT -> FLOAT
  • XQItemType.XQBASETYPE_STRING -> STRING
  • XQItemType.XQITEMKIND_DOCUMENT -> DOCUMENT
  • XQItemType.XQITEMKIND_DOCUMENT_ELEMENT -> DOCUMENT_ELEMENT
  • XQItemType.XQITEMKIND_ELEMENT -> ELEMENT

XSLT Mediator

XSLT mediator applies the specified XSLT transformation to the selected element of the current message payload. 'source' attribute selects the source element to apply the transformation on. Where not specified, it defaults to the first child of the SOAP body. Output of the transformation replaces the source element when 'target' attribute is not specified. Otherwise, the output is stored in the property specified by the 'target' attribute.

<xslt key="string" [source="xpath"] [target="string"]> <property name="string" (value="literal" | expression="xpath")/>* <feature name="string" value="true | false" />* <attribute name="string" value="string" />* <resource location="..." key="..."/>* </xslt>

If the output method specified by the stylesheet is text (i.e. the stylesheet has the <xsl:output method="text"/> directive), then the output of the transformation is wrapped in an element with name {http://ws.apache.org/commons/ns/payload}text. Note that when an element with this name is present as the first child of the SOAP body of an outgoing message, JMS and VFS transports automatically unwrap the content and send it out as plain text. XSLT mediator can therefore be used for integration with systems relying on plain text messages.

Usage of sub-elements of XSLT mediator configuration is as follows:

  • property - Stylesheet parameters can be passed into the transformations using 'property' elements.
  • feature - Defines any features which should be explicitly set to the TransformerFactory. For example, 'http://ws.apache.org/ns/synapse/transform/feature/dom' feature enables DOM based transformations instead of serializing elements into byte streams and/or temporary files. Although enabling this feature could improve performance of the transformation, it might not work for all transformations.
  • attribute - Defines attributes which should be explicitly set on the TransformerFactory.
  • resource - Can be used to resolve XSLT imports and includes from the repository. It works in exactly the same way as the corresponding element in a <proxy> definition.

Extension Mediators

Class Mediator

The class mediator makes it possible to use a custom class as a mediator. The class must implement the org.apache.synapse.api.Mediator interface. If any properties are specified, the corresponding setter methods are invoked on the class, once, during initialization.

<class name="class-name"> <property name="string" value="literal"> (either literal or XML child) </property> </class>

This mediator creates an instance of a specified class and sets it as a mediator. If any properties are specified, the corresponding setter methods are invoked on the class with the given values, once, during initialization.

POJO Command Mediator

POJO Command mediator implements the popular Command design pattern and can be used to invoke an object which encapsulates a method call.

<pojoCommand name="class-name"> ( <property name="string" value="string"/> | <property name="string" context-name="literal" [action=(ReadContext | UpdateContext | ReadAndUpdateContext)]> (either literal or XML child) </property> | <property name="string" expression="xpath" [action=(ReadMessage | UpdateMessage | ReadAndUpdateMessage)]/> )* </pojoCommand>

POJO Command mediator creates an instance of the specified command class, which may implement the org.apache.synapse.Command interface or should have a method with "public void execute()" signature. If any properties are specified, the corresponding setter methods are invoked on the class before each message is executed. It should be noted that a new instance of the POJO Command class is created to process each message processed. After execution of the POJO Command mediator, depending on the 'action' attribute of the property, the new value returned by a call to the corresponding getter method is stored back to the message or to the context. The 'action' attribute may specify whether this behaviour is expected or not via the Read, Update and ReadAndUpdate values.

Script Mediator

Synapse supports mediators implemented in a variety of scripting languages such as JavaScript, Python and Ruby. There are two ways of defining a script mediator, either with the script program statements stored in a separate file which is referenced via the local or remote registry entry, or with the script program statements embedded in-line within the Synapse configuration. A script mediator using a script off the registry (local or remote) is defined as follows:

<script key="string" language="string" [function="script-function-name"]/>

The property key is the registry key to load the script. The language attribute specifies the scripting language of the script code (e.g. "js" for Javascript, "rb" for ruby, "groovy" for Groovy, "py" for Python..). The function is an optional attribute defining the name of the script function to invoke, if not specified it defaults to a function named 'mediate'. The function is passed a single parameter - which is the Synapse MessageContext. The function may return a boolean, if it does not, then true is assumed, and the script mediator returns this value. An inline script mediator has the script source embedded in the configuration as follows:

<script language="string">...script source code...<script/>

If the specified script calls a function defined in another script, then the latter script should also be included in the script mediator configuration. It's done using the 'include' sub-element of the mediator configuration. The key attribute of the 'include' element should point to the script which has to be included. The included script could be stored as a local entry or in the remote registry. Script includes are defined as follows:

<script key="string" language="string" [function="script-function-name"]> <include key="string"/> </script>

The execution context environment of the script has access to the Synapse MessageContext predefined in a script variable named 'mc'. An example of an inline mediator using JavaScript/E4X which returns false if the SOAP message body contains an element named 'symbol' which has a value of 'IBM' would be:

<script language="js">mc.getPayloadXML()..symbol != "IBM";<script/>

Synapse uses the Apache Bean Scripting Framework for the scripting language support, any script language supported by BSF may be used to implement a Synapse mediator.

Implementing a mediator with a script language can have advantages over using the built in Synapse mediator types or implementing a custom Java class mediator. Script mediators have all the flexibility of a class mediator with access to the Synapse MessageContext and SynapseEnvironment APIs, and the ease of use and dynamic nature of scripting languages allows rapid development and prototyping of custom mediators. An additional benefit of some scripting languages is that they have very simple and elegant XML manipulation capabilities, for example JavaScript E4X or Ruby REXML, so this makes them well suited for use in the Synapse mediation environment. For both types of script mediator definition, the MessageContext passed into the script has additional methods over the standard Synapse MessageContext to enable working with the XML in a way natural to the scripting language. For example when using JavaScript getPayloadXML and setPayloadXML, E4X XML objects, and when using Ruby, REXML documents.

The complete list of available methods can be found in the ScriptMessageContext Javadoc.

Spring Mediator

The Spring mediator exposes a spring bean as a mediator. In other terms, it creates an instance of a mediator, which is managed by Spring. This Spring bean must implement org.apache.synapse.api.Mediator interface.

<spring:spring bean="string" key="string" xmlns:spring="http://ws.apache.org/ns/synapse/spring"/>

'key' attribute refers to the Spring ApplicationContext/Configuration (i.e. spring configuration XML) used for the bean. This key can be a registry key or local entry key. The bean attribute is used for looking up a Spring bean from the spring Application Context. Therefore, a bean with same name must be in the given spring configuration. In addition to that, that bean must implement the Mediator interface.

Advanced Mediators

Aggregate Mediator

Aggregate mediator implements the Message Aggregator EIP by aggregating the messages or responses for split messages generated using either the clone or iterate mediator.

<aggregate [id="string"]> <correlateOn expression="xpath"/>? <completeCondition [timeout="time-in-seconds"]> <messageCount min="int-min" max="int-max"/>? </completeCondition>? <onComplete expression="xpath" [sequence="sequence-ref"]> (mediator +)? </onComplete> </aggregate>

This mediator can also aggregate messages on the presence of matching elements specified by the correlateOn XPath expression. Aggregate will collect the messages coming into it until the messages collected on the aggregation satisfies the complete condition. The completion condition can specify a minimum or maximum number of messages to be collected, or a timeout value in seconds, after which the aggregation terminates. On completion of the aggregation it will merge all of the collected messages and invoke the onComplete sequence on it. The merged message would be created using the XPath expression specified by the attribute 'expression' on the 'onComplete' element.

Cache Mediator

Cache mediator is used for simple response message caching in Synapse. When a message reaches the cache mediator, it checks weather an equivalent message is already cached using a hash value.

When the cache mediator detects that the message is a cached message, it fetches the cached response and prepares Synapse for sending the response. If a sequence is specified for a cache hit, user can send back the response message within this sequence using a send mediator. If a sequence is not specified, then cached response is sent back to the client.

<cache [id="string"] [hashGenerator="class"] [timeout="seconds"] [scope=(per-host | per-mediator)] collector=(true | false) [maxMessageSize="in-bytes"]> <onCacheHit [sequence="key"]> (mediator)+ </onCacheHit>? <implementation type=(memory | disk) maxSize="int"/> </cache>

This mediator will evaluate the hash value of an incoming message as described in the optional hash generator implementation (which should be a class implementing the org.wso2.caching.digest.DigestGenerator interface). The default hash generator is 'org.wso2.caching.digest.DOMHashGenerator'. If the generated hash value has been found in the cache then the cache mediator will execute the onCacheHit sequence which can be specified inline or referenced. The cache mediator must be specified with an 'id' and two instances with this same 'id' that correlates the response message into the cache for the request message hash. The optional 'timeout' specifies the valid duration for cached elements, and the scope defines if mediator instances share a common cache per every host instance, or per every cache mediator pair (i.e. 'id') instance. 'collector' attribute value 'true' specifies that the mediator instance is a response collection instance, and 'false' specifies that its a cache serving instance. The maximum size of a message to be cached could be specified with the optional 'maxMessageSize' attributes in bytes and defaults to unlimited. Finally, 'implementation' element may define if the cache is disk or memory based, and 'maxSize' attribute defines the maximum number of elements to be cached.

Callout Mediator

Callout mediator performs a blocking external service invocation during mediation. The target external service can be configured either using a child endpoint element or using the 'serviceURL' attribute. When serviceURL is specified, it is used as the EPR of the external service. We can specify the endpoint element if we want to leverage endpoint functionality like format conversions, security, etc. The target endpoint can be defined inline or we can refer to an existing named endpoint in the configuration. Only Leaf endpoint types (Address/WSDL/Default) are supported. When both serviceURL and endpoint is not present, 'To' header on the request is used as the target endpoint.

<callout [serviceURL="string"] [action="string"][passHeaders="true|false"] [initAxis2ClientOptions="true|false"] > <configuration [axis2xml="string"] [repository="string"]/>? <endpoint/>? <source xpath="expression" | key="string">? <target xpath="expression" | key="string"/>? <enableSec policy="string" | outboundPolicy="String" | inboundPolicy="String" />? </callout>

'action' attribute can be used to specify the SOAP Action of the external service call. When 'initAxis2ClientOptions' is set to false, axis2 client options available in the incoming message context is reused for the service invocation. When 'passHeaders' is set to true, SOAP Headers of the received message is parsed to the external service.

The source element specifies the payload for the request message using an XPath expression or a registry key. When source element is not defined, entire SOAP Envelope arrived at the Callout mediator is treated as the source. The target element specifies a node, at which the response payload will be attached into the current message, or the name of a key/property using which the response would be attached to the current message context as a property. When target element is not specified, entire SOAP Envelope arrived to the Callout mediator is replaced from the response received from the external service invocation.

Since the callout mediator performs a blocking call, it cannot use the default non-blocking http/s transports based on Java NIO, and thus defaults to using the repository/conf/axis2_blocking_client.xml as the Axis2 configuration, and repository/ as the client repository unless these are specified inside the 'configuration' sub-element.

To invoke secured services, Callout mediator can be configured to enable WS-Security using the 'enableSec' element. Security policy should be specified using the 'policy' attribute which may point to a registry key or a local entry. You can also specify two different policies for inbound and outbound messages (flows). This is done by using the 'inboundPolicy' and 'outboundPolicy' attributes. These security configurations will not get activated if we configure the external service using the endpoint element. When endpoint is defined, security settings can be configured at the endpoint.

Clone Mediator

Clone mediator can be used to create several clones or copies of a message. This mediator implements the Message Splitter EIP by splitting the message into number of identical messages which will be processed in parallel. They can also be set to process sequentially by setting the value of the optional 'sequential' attribute to 'true'.

<clone [id="string"] [sequential=(true | false)] [continueParent=(true | false)]> <target [to="uri"] [soapAction="qname"] [sequence="sequence_ref"] [endpoint="endpoint_ref"]> <sequence> (mediator)+ </sequence>? <endpoint> endpoint </endpoint>? </target>+ </clone>

The original message can be continued or dropped depending on the boolean value of the optional 'continueParent' attribute. Optionally a custom 'To' address and/or a 'Action' may be specified for cloned messages. The optional 'id' attribute can be used to identify the clone mediator which created a particular split message when nested clone mediators are used. This is particularly useful when aggregating responses of messages that were created using nested clone mediators.

DBLookup

DB Lookup mediator is capable of executing an arbitrary SQL SELECT statement, and then set some resulting values as local message properties on the message context. The DB connection used maybe looked up from an external DataSource or specified in-line, in which case an Apache DBCP connection pool is established and used.

<dblookup> <connection> <pool> ( <driver/> <url/> <user/> <password/> <property name="name" value="value"/>* | <dsName/> <inClass/> <url/> <user/> <password/> ) </pool> </connection> <statement> <sql>SELECT something FROM table WHERE something_else = ?</sql> <parameter [value="" | expression=""] type="CHAR|VARCHAR|LONGVARCHAR|NUMERIC|DECIMAL|BIT|TINYINT|SMALLINT|INTEGER|BIGINT|REAL|FLOAT|DOUBLE|DATE|TIME|TIMESTAMP"/>* <result name="string" column="int|string"/>* </statement>+ </dblookup>

For in-lined data sources the following parameters have to be specified.

  • driver: Fully qualified class name of the database driver.
  • url: Database URL.
  • user: Username for database access.
  • password: Password for database access.

This new data source is based on Apache DBCP connection pools. This connection pool support the following configuration properties:

  • autocommit = true | false
  • isolation = Connection.TRANSACTION_NONE | Connection.TRANSACTION_READ_COMMITTED | Connection.TRANSACTION_READ_UNCOMMITTED | Connection.TRANSACTION_REPEATABLE_READ | Connection.TRANSACTION_SERIALIZABLE
  • initialsize = int
  • maxactive = int
  • maxidle = int
  • maxopenstatements = int
  • maxwait = long
  • minidle = int
  • poolstatements = true | false
  • testonborrow = true | false
  • testonreturn = true | false
  • testwhileidle = true | false
  • validationquery = String

When an external data source is used the following parameters have to be specified.

  • dsName: The name of the data source to be looked up.
  • icClass: Initial context factory class. The corresponding Java environment property is java.naming.factory.initial
  • url: The naming service provider URL. The corresponding Java environment property is java.naming.provider.url
  • user: Username corresponding to the Java environment property java.naming.security.principal
  • password: Password corresponding to the Java environment property java.naming.security.credentials

More than one statement can be included in the mediator configuration. SQL statement may specify parameters which could be specified as values or XPath expressions. The type of a parameter could be any valid SQL type. 'result' sub-element contains 'name' and 'column' attributes which define the name under which the result is stored in the Synapse message context, and a column number or name respectively.

DBReport

DB Report mediator is quite similar to the DB Lookup mediator, but writes data into a database instead of reading data from a database.

<dbreport useTransaction=(true|false)> <connection> <pool> ( <driver/> <url/> <user/> <password/> <property name="name" value="value"/>* | <dsName/> <icClass/> <url/> <user/> <password/> ) </pool> </connection> <statement> <sql>INSERT INTO table VALUES (?, ?, ?, ?)</sql> <parameter [value="" | expression=""] type="CHAR|VARCHAR|LONGVARCHAR|NUMERIC|DECIMAL|BIT|TINYINT|SMALLINT|INTEGER|BIGINT|REAL|FLOAT|DOUBLE|DATE|TIME|TIMESTAMP"/>* </statement>+ </dblreport>

This mediator executes the specified SQL INSERT on the database specified in-line or as an external data source. For information on configuring database related mediators, referDB Lookup mediator guide.

Iterate Mediator

Iterate mediator splits the message into number of different messages derived from the parent message by finding matching elements for the XPath expression specified. New messages will be created for each matching element and processed in parallel (default behavior) using either the specified sequence or endpoint.

<iterate [id="string"] [continueParent=(true | false)] [preservePayload=(true | false)] [sequential=(true | false)] (attachPath="xpath")? expression="xpath"> <target [to="uri"] [soapAction="qname"] [sequence="sequence_ref"] [endpoint="endpoint_ref"]> <sequence> (mediator)+ </sequence>? <endpoint> endpoint </endpoint>? </target>+ </iterate>

Created messages can also be set to process sequentially by setting the optional 'sequential' attribute to 'true'. Parent message can be continued or dropped in the same way as in the clone mediator. The 'preservePayload' attribute specifies if the original message should be used as a template when creating the split messages, and defaults to 'false', in which case the split messages would contain the split elements as the SOAP body. The optional 'id' attribute can be used to identify the iterator which created a particular split message when nested iterate mediators are used. This is particularly useful when aggregating responses of messages that are created using nested iterate mediators.

RMSequence

RM Sequence mediator can be used to create a sequence of messages to communicate via WS-Reliable Messaging with a WS-RM enabled endpoint.

<RMSequence (correlation="xpath" [last-message="xpath"]) | single="true" [version="1.0|1.1"]/>

The simplest use case of this mediator sets 'single' attribute to "true", which means that only one message is involved in the same sequence. However, if multiple messages should be sent in the same sequence, 'correlation' attribute should be used with an XPath expression that selects a unique element value from the incoming message. With the result of the XPath expression, Synapse can group messages together that belong to the same sequence. To close the sequence neatly, an XPath expression should be specified for the last message of the sequence as well. The optional 'version' attribute, which specifies the WS-RM specification version as 1.0 or 1.1, defaults to 1.0.

Store

Store mediator can be used to store the current message in a specific message store.

<store messageStore="string" [sequence="sequence-ref"]>

In the mediator configuration 'messageStore' attribute is used to specify the message store to store the message in. The optional 'sequence' attribute specifies a sequence through which the message is sent before storing it.

Throttle Mediator

Throttle mediator can be used for rate limiting as well as concurrency based limiting. A WS-Policy dictates the throttling configuration and can be specified inline or loaded from the registry. Please refer to the samples document for sample throttling policies.

<throttle [onReject="string"] [onAccept="string"] id="string"> (<policy key="string"/> | <policy>..</policy>) <onReject>..</onReject>? <onAccept>..</onAccept>? </throttle>

The throttle mediator could be used in the request path for rate limiting and concurrent access limiting. When it's used for concurrent access limitation, the same throttle mediator 'id' must be triggered on the response flow so that completed responses are deducted from the available limit. (i.e. two instances of the throttle mediator with the same 'id' attribute in the request and response flows). 'onReject' and 'onAccept' sequence references or inline sequences define how accepted and rejected messages are handled.

Transaction Mediator

Transaction mediator can provide transaction facility for a set of mediators defined as its child mediators. A transaction mediator with the action "new" indicates the entry point for the transaction. A transaction is marked completed by a transaction mediator with the action "commit". The suspend and resume actions are used to pause a transaction at some point and start it again later. Additionally, the transaction mediator supports three other actions, i.e. use-existing-or-new, fault-if-no-tx, rollback.

<transaction action="new|use-existing-or-new|fault-if-no-tx|commit|rollback|suspend|resume"/>
  • new: Initiate a new transaction.
  • use-existing-or-new: If a transaction already exists continue it, otherwise create a new transaction.
  • fault-if-no-tx: Go to the error handler if no transaction exists.
  • commit: End the transaction.
  • rollback: Rollback a transaction.
  • suspend: Pause a transaction.
  • resume: Resume a paused transaction.