- Groovy 教程
- Groovy - 主页
- Groovy - 概述
- Groovy - 环境
- Groovy - 基本语法
- Groovy - 数据类型
- Groovy - 变量
- Groovy - 运算符
- Groovy - 循环
- Groovy - 决策
- Groovy - 方法
- Groovy - 文件 I/O
- Groovy - 可选
- Groovy - 数字
- Groovy - 字符串
- Groovy - 范围
- Groovy - 列表
- Groovy - 地图
- Groovy - 日期和时间
- Groovy - 正则表达式
- Groovy - 异常处理
- Groovy - 面向对象
- Groovy - 泛型
- Groovy - 特征
- Groovy - 闭包
- Groovy - 注释
- Groovy-XML
- Groovy-JMX
- Groovy - JSON
- Groovy-DSLS
- Groovy - 数据库
- Groovy - 构建者
- Groovy - 命令行
- Groovy - 单元测试
- Groovy - 模板引擎
- Groovy - 元对象编程
- Groovy 有用的资源
- Groovy - 快速指南
- Groovy - 有用的资源
- Groovy - 讨论
Groovy-DSLS
Groovy 允许在顶级语句的方法调用的参数周围省略括号。这称为“命令链”功能。此扩展的工作原理是允许链接此类无括号的方法调用,既不需要参数周围有括号,也不需要链接调用之间的点。
如果调用作为abcd执行,这实际上相当于a(b).c(d)。
DSL 或领域特定语言旨在简化用 Groovy 编写的代码,使其易于为普通用户所理解。以下示例显示了拥有特定于领域的语言的确切含义。
def lst = [1,2,3,4] print lst
上面的代码显示了使用 println 语句打印到控制台的数字列表。在特定领域语言中,命令如下 -
Given the numbers 1,2,3,4 Display all the numbers
所以上面的例子展示了编程语言的转变,以满足特定领域语言的需求。
让我们看一个简单的例子,说明如何在 Groovy 中实现 DSL -
class EmailDsl { String toText String fromText String body /** * This method accepts a closure which is essentially the DSL. Delegate the * closure methods to * the DSL class so the calls can be processed */ def static make(closure) { EmailDsl emailDsl = new EmailDsl() // any method called in closure will be delegated to the EmailDsl class closure.delegate = emailDsl closure() } /** * Store the parameter as a variable and use it later to output a memo */ def to(String toText) { this.toText = toText } def from(String fromText) { this.fromText = fromText } def body(String bodyText) { this.body = bodyText } } EmailDsl.make { to "Nirav Assar" from "Barack Obama" body "How are things? We are doing well. Take care" }
当我们运行上面的程序时,我们将得到以下结果 -
How are things? We are doing well. Take care
上述代码实现需要注意以下几点:
使用接受闭包的静态方法。这基本上是一种实现 DSL 的无忧方法。
在电子邮件示例中,EmailDsl 类有一个 make 方法。它创建一个实例并将闭包中的所有调用委托给该实例。这是“to”和“from”部分最终执行 EmailDsl 类内的方法的机制。
调用 to() 方法后,我们将文本存储在实例中以供稍后格式化。
现在,我们可以使用最终用户易于理解的简单语言来调用 EmailDSL 方法。