如果我正确理解了您的问题,MyMDB
在 WebLogic 上收听一个主题,并且您想使用 JBoss 提供的附加 JMS 目标,该目标在已部署的配置文件中定义并由其 JNDI 名称标识(默认情况下,deploy/jms/jms-ds.xml
仅包含 JMS 的配置提供者和连接工厂——没有数据源)。
最简单的方法是让容器通过其 JNDI 名称注入 JMS 目的地和连接工厂(在 JBoss 中,JMS 目的地是通过部署 xxx-service.xml 文件来配置的)。在启动时,您可以初始化连接,并在 MDB 释放后立即执行清理。
以下示例显示了注入 ( @Resource
) 和资源管理 ( @PostConstruct
and @PreDestroy
)。JMS 连接和目的地用于useJmsDestination(String)
发送文本消息。
public class MyMDB implements MessageListener {
@Resource(mappedName = "queue/YourQueueName") // can be topic too
private Queue targetDestination;
@Resource(mappedName = "QueueConnectionFactory") // or ConnectionFactory
private QueueConnectionFactory factory;
private Connection conn;
public void onMessage(Message m) {
// parse message and do what you need to do
...
// do something with the message and the JBoss JMS destination
useJmsDestination(messageString);
}
private void useJmsDestination(String text) {
Session session = null;
MessageProducer producer = null;
try {
session = conn.createSession(true, Session.AUTO_ACKNOWLEDGE);
producer = session.createProducer(targetDestination);
TextMessage msg = session.createTextMessage(text);
producer.send(msg);
} catch (JMSException e) {
throw new RuntimeException(e);
} finally {
try {
if (producer != null) {
producer.close();
}
if (session != null) {
session.close();
}
} catch (JMSException e) {
// handle error, should be non-fatal, as the message is already sent.
}
}
}
@PostConstruct
void init() {
initConnection();
// other initialization logic
...
}
@PreDestroy
void cleanUp() {
closeConnection();
// other cleanup logic
...
}
private void initConnection() {
try {
conn = factory.createConnection();
} catch (JMSException e) {
throw new RuntimeException("Could not initialize connection", e);
}
}
private void closeConnection() {
try {
conn.close();
} catch (JMSException e) {
// handle error, should be non-fatal, as the connection is being closed
}
}
}
我希望这可以帮助你。