领先一步
VMware 提供培训和认证,以加快您的进度。
了解更多Spring Integration 使用 Spring 编程模型实现企业集成模式,从而在基于 Spring 的应用程序中启用消息传递。Spring Integration 还通过支持 JMS、HTTP、AMQP、TCP、FTP(S)、SMTP 等的声明式适配器提供与外部系统的集成。目前,消息流的配置主要通过 Spring XML 完成,Spring Integration 支持多个命名空间,以使其尽可能简洁。今年早些时候,SpringSource 发布了Spring Integration 的 Scala DSL。现在,我们很高兴地宣布Groovy DSL 的第一个里程碑版本 (1.0.0.M1) 发布。
这两个 DSL 都有一个共同的目标——为 Spring Integration 提供一个强大而灵活的 XML 配置替代方案。这两种语言在语义上也很相似,因为 Groovy DSL 借鉴了 Scala DSL 中引入的概念。此外,两者本质上都是Spring Integration 之上的外观。但是相似之处到此为止。许多差异都可以归因于 Scala 和 Groovy 之间的语言差异,最显著的是静态类型与动态类型。Groovy DSL 主要面向 Groovy 开发者,他们熟悉基于 DSL 的构建器模式 的分层语法。这应该也会吸引 Java 开发人员,他们可以利用 DSL 提供的丰富功能,并且会发现语法非常易于理解。
def builder = new IntegrationBuilder()
def flow = builder.messageFlow {
transform {"hello, $it"}
handle {println it}
}
flow.send('world')
这将创建一个 Spring 应用上下文,构建一个由转换器 (transform) 和服务激活器 (handle) 组成的 Spring Integration 消息流,并使用直接通道连接这些端点,以便它们将按顺序执行。转换器将消息负载(在本例中为“world”)追加到字符串“hello, ”,服务激活器将结果打印到 STDOUT。瞧!在这里,我们看到了构建器模式的一个简单示例。对于那些不熟悉 Groovy 的人来说,这是有效的 Groovy 语法。messageFlow、transform 和 handle 都是 DSL 定义的方法。{} 是 Groovy 中闭包的语法。由于 Groovy 中括号和分号是可选的,因此这等效于
def flow = builder.messageFlow({
transform({"hello, $it"});
handle({println(it)});
});
另外,我应该提到,默认情况下,Groovy 闭包期望一个名为“it”的单个参数。闭包参数可以命名,也可以选择类型。例如
transform {String payload -> "hello, $payload"}
还有一件事。Groovy 允许你在双引号字符串中嵌入变量表达式。这不是一个 Groovy 教程,但总而言之,所有 Groovy 的语法糖都使代码非常简洁、易读。顺便说一句,与此等效的 XML 代码为:
<beans xmlns="http://www.springframework.org/schema/beans" xmlns:si="http://www.springframework.org/schema/integration" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/integration http://www.springframework.org/schema/integration/spring-integration.xsd">
<si:transformer id="t1" input-channel="flow1.inputChannel" output-channel="sa1.inputChannel" expression="'Hello,' + payload"/>
<si:service-activator id="sa1" input-channel="sa.inputChannel" expression = "T(java.lang.System).out.println(payload)"/>
</beans>
然后,我们将不得不编写大约十行代码来初始化 Spring 应用上下文并发送消息。
要在 Java 中运行 DSL 示例,有几种选择。一种方法是加载并运行外部 DSL 脚本
HelloWorld.groovy
messageFlow {
transform {"hello, $it"}
handle {println it}
}
Main.java
public class Main {
public static void main(String[] args) {
IntegrationBuilder builder = new IntegrationBuilder();
MessageFlow flow = (MessageFlow) builder.build(new File("HelloWorld.groovy"));
flow.send("world");
}
}
除了上面所示的 File 实例之外,build() 方法还接受 InputStream、GroovyCodeSource、Spring 资源,甚至是 groovy.lang.Script。因此,如果使用 Groovy 编译器编译项目,则可以执行类似的操作,其中 HelloWorld 是 groovy.lang.Script 的实例。
public class Main {
public static void main(String[] args) {
IntegrationBuilder builder = new IntegrationBuilder();
MessageFlow flow = (MessageFlow) builder.build(new HelloWorld()));
flow.send("world");
}
}