Reactive Messaging AMQP 1.0 Connector Reference Documentation
This guide is the companion from the Getting Started with AMQP 1.0. It explains in more details the configuration and usage of the AMQP connector for reactive messaging.
This documentation does not cover all the details of the connector. Refer to the SmallRye Reactive Messaging website for further details. |
The AMQP connector allows Quarkus applications to send and receive messages using the AMQP 1.0 protocol. More details about the protocol can be found in the AMQP 1.0 specification. It’s important to note that AMQP 1.0 and AMQP 0.9.1 (implemented by RabbitMQ) are incompatible. Check Using RabbitMQ to get more details.
AMQP connector extension
To use the connector, you need to add the quarkus-messaging-amqp
extension.
You can add the extension to your project using:
quarkus extension add quarkus-messaging-amqp
./mvnw quarkus:add-extension -Dextensions='quarkus-messaging-amqp'
./gradlew addExtension --extensions='quarkus-messaging-amqp'
Or just add the following dependency to your project:
<dependency>
<groupId>io.quarkus</groupId>
<artifactId>quarkus-messaging-amqp</artifactId>
</dependency>
implementation("io.quarkus:quarkus-messaging-amqp")
Once added to your project, you can map channels to AMQP addresses by configuring the connector
attribute:
# Inbound
mp.messaging.incoming.[channel-name].connector=smallrye-amqp
# Outbound
mp.messaging.outgoing.[channel-name].connector=smallrye-amqp
Fixação automática do conector
Se você tiver um único conector no classpath, poderá omitir a configuração do atributo Esta ligação automática pode ser desativada utilizando:
|
Configuring the AMQP Broker access
The AMQP connector connects to AMQP 1.0 brokers such as Apache ActiveMQ or Artemis.
To configure the location and credentials of the broker, add the following properties in the application.properties
:
amqp-host=amqp (1)
amqp-port=5672 (2)
amqp-username=my-username (3)
amqp-password=my-password (4)
mp.messaging.incoming.prices.connector=smallrye-amqp (5)
1 | Configures the broker/router host name. You can do it per channel (using the host attribute) or globally using amqp-host |
2 | Configures the broker/router port. You can do it per channel (using the port attribute) or globally using amqp-port . The default is 5672 . |
3 | Configures the broker/router username if required. You can do it per channel (using the username attribute) or globally using amqp-username . |
4 | Configures the broker/router password if required. You can do it per channel (using the password attribute) or globally using amqp-password . |
5 | Instructs the prices channel to be managed by the AMQP connector |
In dev mode and when running tests, Dev Services for AMQP automatically starts an AMQP broker.
Receiving AMQP messages
Let’s imagine your application receives Message<Double>
.
You can consume the payload directly:
package inbound;
import org.eclipse.microprofile.reactive.messaging.Incoming;
import jakarta.enterprise.context.ApplicationScoped;
@ApplicationScoped
public class AmqpPriceConsumer {
@Incoming("prices")
public void consume(double price) {
// process your price.
}
}
Or, you can retrieve the Message<Double>:
package inbound;
import org.eclipse.microprofile.reactive.messaging.Incoming;
import org.eclipse.microprofile.reactive.messaging.Message;
import jakarta.enterprise.context.ApplicationScoped;
import java.util.concurrent.CompletionStage;
@ApplicationScoped
public class AmqpPriceMessageConsumer {
@Incoming("prices")
public CompletionStage<Void> consume(Message<Double> price) {
// process your price.
// Acknowledge the incoming message, marking the AMQP message as `accepted`.
return price.ack();
}
}
Inbound Metadata
Messages coming from AMQP contain an instance of IncomingAmqpMetadata
in the metadata.
Optional<IncomingAmqpMetadata> metadata = incoming.getMetadata(IncomingAmqpMetadata.class);
metadata.ifPresent(meta -> {
String address = meta.getAddress();
String subject = meta.getSubject();
boolean durable = meta.isDurable();
// Use io.vertx.core.json.JsonObject
JsonObject properties = meta.getProperties();
// ...
});
Deserialization
The connector converts incoming AMQP Messages into Reactive Messaging Message<T>
instances.
T
depends on the body of the received AMQP Message.
The AMQP Type System defines the supported types.
AMQP Body Type | <T> |
---|---|
AMQP Value containing a AMQP Primitive Type |
the corresponding Java type |
AMQP Value using the |
|
AMQP Sequence |
|
AMQP Data (with binary content) and the |
|
AMQP Data with a different |
|
If you send objects with this AMQP connector (outbound connector), it gets encoded as JSON and sent as binary.
The content-type
is set to application/json
.
So, you can rebuild the object as follows:
import io.vertx.core.json.JsonObject;
//
@ApplicationScoped
public static class Consumer {
List<Price> prices = new CopyOnWriteArrayList<>();
@Incoming("from-amqp") (1)
public void consume(JsonObject p) { (2)
Price price = p.mapTo(Price.class); (3)
prices.add(price);
}
public List<Price> list() {
return prices;
}
}
1 | The Price instances are automatically encoded to JSON by the connector |
2 | You can receive it using a JsonObject |
3 | Then, you can reconstruct the instance using the mapTo method |
The mapTo method uses the Quarkus Jackson mapper. Check this guide to learn more about the mapper configuration.
|
Acknowledgement
When a Reactive Messaging Message associated with an AMQP Message is acknowledged, it informs the broker that the message has been accepted.
Failure Management
If a message produced from an AMQP message is nacked, a failure strategy is applied. The AMQP connector supports six strategies:
-
fail
- fail the application; no more AMQP messages will be processed (default). The AMQP message is marked as rejected. -
accept
- this strategy marks the AMQP message as accepted. The processing continues ignoring the failure. Refer to the accepted delivery state documentation. -
release
- this strategy marks the AMQP message as released. The processing continues with the next message. The broker can redeliver the message. Refer to the released delivery state documentation. -
reject
- this strategy marks the AMQP message as rejected. The processing continues with the next message. Refer to the rejected delivery state documentation. -
modified-failed
- this strategy marks the AMQP message as modified and indicates that it failed (with thedelivery-failed
attribute). The processing continues with the next message, but the broker may attempt to redeliver the message. Refer to the modified delivery state documentation -
modified-failed-undeliverable-here
- this strategy marks the AMQP message as modified and indicates that it failed (with thedelivery-failed
attribute). It also indicates that the application cannot process the message, meaning that the broker will not attempt to redeliver the message to this node. The processing continues with the next message. Refer to the modified delivery state documentation
Sending AMQP messages
Serialização
When sending a Message<T>
, the connector converts the message into an AMQP Message.
The payload is converted to the AMQP Message body.
T |
AMQP Message Body |
---|---|
primitive types or |
AMQP Value with the payload |
|
AMQP Value using the corresponding AMQP Type |
AMQP Data using a binary content. The |
|
|
AMQP Data using a binary content. No |
Any other class |
The payload is converted to JSON (using a Json Mapper). The result is wrapped into AMQP Data using a binary content. The |
If the message payload cannot be serialized to JSON, the message is nacked.
Outbound Metadata
When sending Messages
, you can add an instance of OutgoingAmqpMetadata
to influence how the message is going to be sent to AMQP.
For example, you can configure the subjects, properties:
OutgoingAmqpMetadata metadata = OutgoingAmqpMetadata.builder()
.withDurable(true)
.withSubject("my-subject")
.build();
// Create a new message from the `incoming` message
// Add `metadata` to the metadata from the `incoming` message.
return incoming.addMetadata(metadata);
Dynamic address names
Sometimes it is desirable to select the destination of a message dynamically. In this case, you should not configure the address inside your application configuration file, but instead, use the outbound metadata to set the address.
For example, you can send to a dynamic address based on the incoming message:
String addressName = selectAddressFromIncommingMessage(incoming);
OutgoingAmqpMetadata metadata = OutgoingAmqpMetadata.builder()
.withAddress(addressName)
.withDurable(true)
.build();
// Create a new message from the `incoming` message
// Add `metadata` to the metadata from the `incoming` message.
return incoming.addMetadata(metadata);
To be able to set the address per message, the connector is using an anonymous sender. |
Acknowledgement
By default, the Reactive Messaging Message
is acknowledged when the broker acknowledged the message.
When using routers, this acknowledgement may not be enabled.
In this case, configure the auto-acknowledgement
attribute to acknowledge the message as soon as it has been sent to the router.
If an AMQP message is rejected/released/modified by the broker (or cannot be sent successfully), the message is nacked.
Configuring the AMQP address
You can configure the AMQP address using the address
attribute:
mp.messaging.incoming.prices.connector=smallrye-amqp
mp.messaging.incoming.prices.address=my-queue
mp.messaging.outgoing.orders.connector=smallrye-amqp
mp.messaging.outgoing.orders.address=my-order-queue
If the address
attribute is not set, the connector uses the channel name.
To use an existing queue, you need to configure the address
, container-id
and, optionally, the link-name
attributes.
For example, if you have an Apache Artemis broker configured with:
<queues>
<queue name="people">
<address>people</address>
<durable>true</durable>
<user>artemis</user>
</queue>
</queues>
You need the following configuration:
mp.messaging.outgoing.people.connector=smallrye-amqp
mp.messaging.outgoing.people.durable=true
mp.messaging.outgoing.people.address=people
mp.messaging.outgoing.people.container-id=people
You may need to configure the link-name
attribute, if the queue name is not the channel name:
mp.messaging.outgoing.people-out.connector=smallrye-amqp
mp.messaging.outgoing.people-out.durable=true
mp.messaging.outgoing.people-out.address=people
mp.messaging.outgoing.people-out.container-id=people
mp.messaging.outgoing.people-out.link-name=people
To use a MULTICAST
queue, you need to provide the FQQN (fully-qualified queue name) instead of just the name of the queue:
mp.messaging.outgoing.people-out.connector=smallrye-amqp
mp.messaging.outgoing.people-out.durable=true
mp.messaging.outgoing.people-out.address=foo
mp.messaging.outgoing.people-out.container-id=foo
mp.messaging.incoming.people-out.connector=smallrye-amqp
mp.messaging.incoming.people-out.durable=true
mp.messaging.incoming.people-out.address=foo::bar # Note the syntax: address-name::queue-name
mp.messaging.incoming.people-out.container-id=bar
mp.messaging.incoming.people-out.link-name=people
More details about the AMQP Address model can be found in the Artemis documentation.
Execution model and Blocking processing
A Mensageria Reativa invoca seu método em um thread de E/S. Consulte a documentação da Arquitetura Reativa do Quarkus para obter mais detalhes sobre esse tópico. Mas, muitas vezes, você precisa combinar o envio de mensagens reativas com processamento blocante, como interações de banco de dados. Para isso, você precisa usar a anotação @Blocking
indicando que o processamento está bloqueando e não deve ser executado no thread do chamador.
Por exemplo, o código a seguir ilustra como é possível armazenar conteúdos recebidos em uma base de dados usando o Hibernate com Panache:
import io.smallrye.reactive.messaging.annotations.Blocking;
import org.eclipse.microprofile.reactive.messaging.Incoming;
import jakarta.enterprise.context.ApplicationScoped;
import jakarta.transaction.Transactional;
@ApplicationScoped
public class PriceStorage {
@Incoming("prices")
@Transactional
public void store(int priceInUsd) {
Price price = new Price();
price.value = priceInUsd;
price.persist();
}
}
Existem 2 anotações de
Eles têm o mesmo efeito. Portanto, você pode usar os dois. O primeiro fornece um ajuste mais refinado, como o pool de trabalho a ser usado e se ele preserva a ordem. O segundo, usado também com outros recursos reativos do Quarkus, usa o pool de trabalho padrão e preserva a ordem. |
@RunOnVirtualThread
Para executar o processamento blocante em threads virtuais Java, consulte a documentação de suporte do Quarkus à Virtual Thread com Mensageria Reativa. |
@Transactional
Se o seu método estiver anotado com |
Customizing the underlying AMQP client
The connector uses the Vert.x AMQP client underneath. More details about this client can be found in the Vert.x website.
You can customize the underlying client configuration by producing an instance of AmqpClientOptions
as follows:
@Produces
@Identifier("my-named-options")
public AmqpClientOptions getNamedOptions() {
// You can use the produced options to configure the TLS connection
PemKeyCertOptions keycert = new PemKeyCertOptions()
.addCertPath("./tls/tls.crt")
.addKeyPath("./tls/tls.key");
PemTrustOptions trust = new PemTrustOptions().addCertPath("./tlc/ca.crt");
return new AmqpClientOptions()
.setSsl(true)
.setPemKeyCertOptions(keycert)
.setPemTrustOptions(trust)
.addEnabledSaslMechanism("EXTERNAL")
.setHostnameVerificationAlgorithm("") // Disables the hostname verification. Defaults is "HTTPS"
.setConnectTimeout(30000)
.setReconnectInterval(5000)
.setContainerId("my-container");
}
This instance is retrieved and used to configure the client used by the connector.
You need to indicate the name of the client using the client-options-name
attribute:
mp.messaging.incoming.prices.client-options-name=my-named-options
If you experience frequent disconnections from the broker, the AmqpClientOptions
can also be used to set a heartbeat if you need to keep the AMQP connection permanently.
Some brokers might terminate the AMQP connection after a certain idle timeout.
You can provide a heartbeat value which will be used by the Vert.x proton client to advertise the idle timeout when opening transport to a remote peer.
@Produces
@Identifier("my-named-options")
public AmqpClientOptions getNamedOptions() {
// set a heartbeat of 30s (in milliseconds)
return new AmqpClientOptions()
.setHeartbeat(30000);
}
TLS Configuration
AMQP 1.0 Messaging extension integrates with the Quarkus TLS registry to configure the Vert.x AMQP client.
To configure the TLS for an AMQP 1.0 channel, you need to provide a named TLS configuration in the application.properties
:
quarkus.tls.your-tls-config.trust-store.pem.certs=ca.crt,ca2.pem
# ...
mp.messaging.incoming.prices.tls-configuration-name=your-tls-config
Health reporting
If you use the AMQP connector with the quarkus-smallrye-health
extension, it contributes to the readiness and liveness probes.
The AMQP connector reports the readiness and liveness of each channel managed by the connector.
At the moment, the AMQP connector uses the same logic for the readiness and liveness checks.
To disable health reporting, set the health-enabled
attribute for the channel to false.
On the inbound side (receiving messages from AMQP), the check verifies that the receiver is attached to the broker.
On the outbound side (sending records to AMQP), the check verifies that the sender is attached to the broker.
Note that a message processing failures nacks the message, which is then handled by the failure-strategy
.
It is the responsibility of the failure-strategy
to report the failure and influence the outcome of the checks.
The fail
failure strategy reports the failure, and so the check will report the fault.
Using RabbitMQ
This connector is for AMQP 1.0. RabbitMQ implements AMQP 0.9.1. RabbitMQ does not provide AMQP 1.0 by default, but there is a plugin for it. To use RabbitMQ with this connector, enable and configure the AMQP 1.0 plugin.
Despite the existence of the plugin, a few AMQP 1.0 features won’t work with RabbitMQ. Thus, we recommend the following configurations.
To receive messages from RabbitMQ:
-
Set durable to false
mp.messaging.incoming.prices.connector=smallrye-amqp
mp.messaging.incoming.prices.durable=false
To send messages to RabbitMQ:
-
set the destination address (anonymous sender are not supported)
-
set
use-anonymous-sender
to false
mp.messaging.outgoing.generated-price.connector=smallrye-amqp
mp.messaging.outgoing.generated-price.address=prices
mp.messaging.outgoing.generated-price.use-anonymous-sender=false
As a consequence, it’s not possible to change the destination dynamically (using message metadata) when using RabbitMQ.
Receiving Cloud Events
The AMQP connector supports Cloud Events.
When the connector detects a structured or binary Cloud Events, it adds a IncomingCloudEventMetadata<T>
into the metadata of the Message
.
IncomingCloudEventMetadata
contains accessors to the mandatory and optional Cloud Event attributes.
If the connector cannot extract the Cloud Event metadata, it sends the Message without the metadata.
For more information on receiving Cloud Events, see Receiving Cloud Events in SmallRye Reactive Messaging documentation.
Sending Cloud Events
The AMQP connector supports Cloud Events. The connector sends the outbound record as Cloud Events if:
-
the message metadata contains an
io.smallrye.reactive.messaging.ce.OutgoingCloudEventMetadata
instance, -
the channel configuration defines the
cloud-events-type
andcloud-events-source
attributes.
For more information on sending Cloud Events, see Sending Cloud Events in SmallRye Reactive Messaging documentation.
AMQP Connector Configuration Reference
Quarkus specific configuration
Propriedade de Configuração Fixa no Momento da Compilação - Todas as outras propriedades de configuração podem ser sobrepostas em tempo de execução.
Configuration property |
Tipo |
Padrão |
---|---|---|
Tipo |
Padrão |
|
If Dev Services for AMQP has been explicitly enabled or disabled. Dev Services are generally enabled by default, unless there is an existing configuration present. For AMQP, Dev Services starts a broker unless Environment variable: Show more |
boolean |
|
Optional fixed port the dev service will listen to. If not defined, the port will be chosen randomly. Environment variable: Show more |
int |
|
The image to use. Note that only ActiveMQ Artemis images are supported. Specifically, the image repository must end with Check the activemq-artemis-broker on Quay page to find the available versions. Environment variable: Show more |
string |
|
The value of the Environment variable: Show more |
string |
|
Indicates if the AMQP broker managed by Quarkus Dev Services is shared. When shared, Quarkus looks for running containers using label-based service discovery. If a matching container is found, it is used, and so a second one is not started. Otherwise, Dev Services for AMQP starts a new container. The discovery uses the Container sharing is only used in dev mode. Environment variable: Show more |
boolean |
|
The value of the This property is used when you need multiple shared AMQP brokers. Environment variable: Show more |
string |
|
Environment variables that are passed to the container. Environment variable: Show more |
Map<String,String> |
Incoming channel configuration
Atributo (alias) | Descrição | Obrigatório | Padrão |
---|---|---|---|
address |
The AMQP address. If not set, the channel name is used Type: string |
falso |
|
auto-acknowledgement |
Whether the received AMQP messages must be acknowledged when received Type: boolean |
falso |
|
broadcast |
Whether the received AMQP messages must be dispatched to multiple subscribers Type: boolean |
falso |
|
capabilities |
A comma-separated list of capabilities proposed by the sender or receiver client. Type: string |
falso |
|
client-options-name (amqp-client-options-name) |
The name of the AMQP Client Option bean used to customize the AMQP client configuration Type: string |
falso |
|
cloud-events |
Habilita (padrão) ou desabilita o suporte a Cloud Event. Se habilitado em um canal incoming, o conector analisará os registros de entrada e tentará criar metadados do Cloud Event. Se habilitado em um outgoing, o conector enviará as mensagens de saída como Cloud Event se a mensagem incluir Metadados de Evento de Nuvem. Tipo: boolean |
falso |
|
connect-timeout (amqp-connect-timeout) |
The connection timeout in milliseconds Type: int |
falso |
|
container-id |
The AMQP container id Type: string |
falso |
|
durable |
Whether AMQP subscription is durable Type: boolean |
falso |
|
failure-strategy |
Specify the failure strategy to apply when a message produced from an AMQP message is nacked. Accepted values are Type: string |
falso |
|
health-timeout |
The max number of seconds to wait to determine if the connection with the broker is still established for the readiness check. After that threshold, the check is considered as failed. Type: int |
falso |
|
host (amqp-host) |
The broker hostname Type: string |
falso |
|
link-name |
The name of the link. If not set, the channel name is used. Type: string |
falso |
|
password (amqp-password) |
The password used to authenticate to the broker Type: string |
falso |
|
port (amqp-port) |
The broker port Type: int |
falso |
|
reconnect-attempts (amqp-reconnect-attempts) |
The number of reconnection attempts Type: int |
falso |
|
reconnect-interval (amqp-reconnect-interval) |
The interval in second between two reconnection attempts Type: int |
falso |
|
sni-server-name (amqp-sni-server-name) |
If set, explicitly override the hostname to use for the TLS SNI server name Type: string |
falso |
|
selector |
Sets a message selector. This attribute is used to define an Type: string |
falso |
|
tracing-enabled |
Se o rastreamento está habilitado (padrão) ou desabilitado Tipo: boolean |
falso |
|
use-ssl (amqp-use-ssl) |
Whether the AMQP connection uses SSL/TLS Type: boolean |
falso |
|
username (amqp-username) |
The username used to authenticate to the broker Type: string |
falso |
|
virtual-host (amqp-virtual-host) |
If set, configure the hostname value used for the connection AMQP Open frame and TLS SNI server name (if TLS is in use) Type: string |
falso |
Outgoing channel configuration
Atributo (alias) | Descrição | Obrigatório | Padrão |
---|---|---|---|
address |
The AMQP address. If not set, the channel name is used Type: string |
falso |
|
capabilities |
A comma-separated list of capabilities proposed by the sender or receiver client. Type: string |
falso |
|
client-options-name (amqp-client-options-name) |
The name of the AMQP Client Option bean used to customize the AMQP client configuration Type: string |
falso |
|
cloud-events |
Habilita (padrão) ou desabilita o suporte a Cloud Event. Se habilitado em um canal incoming, o conector analisará os registros de entrada e tentará criar metadados do Cloud Event. Se habilitado em um outgoing, o conector enviará as mensagens de saída como Cloud Event se a mensagem incluir Metadados de Evento de Nuvem. Tipo: boolean |
falso |
|
cloud-events-data-content-type (cloud-events-default-data-content-type) |
Configura o atributo 'datacontenttype' padrão do evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'datacontenttype' Tipo: string |
falso |
|
cloud-events-data-schema (cloud-events-default-data-schema) |
Configura o atributo 'dataschema' padrão do evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'dataschema' Tipo: string |
falso |
|
cloud-events-insert-timestamp (cloud-events-default-timestamp) |
Se o conector deve inserir automaticamente o atributo 'time' no evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'time' Tipo: boolean |
falso |
|
cloud-events-mode |
O modo Cloud Event ('estruturado' ou 'binário' (padrão)). Indica como são gravados os eventos de nuvem no registro de saída Tipo: string |
falso |
|
cloud-events-source (cloud-events-default-source) |
Configure o atributo 'source' padrão do evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'source' Tipo: string |
falso |
|
cloud-events-subject (cloud-events-default-subject) |
Configure o atributo 'subject' padrão do evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'subject' Tipo: string |
falso |
|
cloud-events-type (cloud-events-default-type) |
Configure o atributo 'type' padrão do evento de nuvem de saída. Requer que 'cloud-events' seja definido como 'true'. Esse valor será usado se a mensagem não configurar o próprio atributo 'type' Tipo: string |
falso |
|
connect-timeout (amqp-connect-timeout) |
The connection timeout in milliseconds Type: int |
falso |
|
container-id |
The AMQP container id Type: string |
falso |
|
credit-retrieval-period |
The period (in milliseconds) between two attempts to retrieve the credits granted by the broker. This time is used when the sender run out of credits. Type: int |
falso |
|
durable |
Whether sent AMQP messages are marked durable Type: boolean |
falso |
|
health-timeout |
The max number of seconds to wait to determine if the connection with the broker is still established for the readiness check. After that threshold, the check is considered as failed. Type: int |
falso |
|
host (amqp-host) |
The broker hostname Type: string |
falso |
|
link-name |
The name of the link. If not set, the channel name is used. Type: string |
falso |
|
merge |
Se o conector deve permitir vários upstreams Tipo: boolean |
falso |
|
password (amqp-password) |
The password used to authenticate to the broker Type: string |
falso |
|
port (amqp-port) |
The broker port Type: int |
falso |
|
reconnect-attempts (amqp-reconnect-attempts) |
The number of reconnection attempts Type: int |
falso |
|
reconnect-interval (amqp-reconnect-interval) |
The interval in second between two reconnection attempts Type: int |
falso |
|
sni-server-name (amqp-sni-server-name) |
If set, explicitly override the hostname to use for the TLS SNI server name Type: string |
falso |
|
tracing-enabled |
Se o rastreamento está habilitado (padrão) ou desabilitado Tipo: boolean |
falso |
|
ttl |
The time-to-live of the sent AMQP messages. 0 to disable the TTL Type: long |
falso |
|
use-anonymous-sender |
Whether the connector should use an anonymous sender. Default value is Type: boolean |
falso |
|
use-ssl (amqp-use-ssl) |
Whether the AMQP connection uses SSL/TLS Type: boolean |
falso |
|
username (amqp-username) |
The username used to authenticate to the broker Type: string |
falso |
|
virtual-host (amqp-virtual-host) |
If set, configure the hostname value used for the connection AMQP Open frame and TLS SNI server name (if TLS is in use) Type: string |
falso |
Configurar canais condicionalmente
Você pode configurar os canais usando um perfil específico. Assim, os canais só são configurados (e adicionados à aplicação) quando o perfil especificado é ativado.
Para conseguir isso, você precisa:
-
Prefixar as entradas
mp.messaging.[incoming|outgoing].$channel
com%my-profile
tal como%my-profile.mp.messaging.[incoming|outgoing].$channel.key=value
-
Utilizar o
@IfBuildProfile("my-profile")
nos beans CDI que contêm anotações@Incoming(channel)
e@Outgoing(channel)
que só precisam ser ativadas quando o perfil é ativado.
Observe que as mensagens reativas verificam se o gráfico está completo. Portanto, ao usar essa configuração condicional, certifique-se de que a aplicação funcione com e sem o perfil ativado.
Note que esta abordagem também pode ser utilizada para alterar a configuração do canal com base num perfil.