闭包还为我们提供了改善处理复杂 try/catch/finally 结构的方法。利用闭包,很容易编写正确处理资源和异常的代码。使用闭包的新方法已经添加到处理文件、进程和数据库连接的标准 Java 类中。当它们用在 Groovy 中的时候,不必处理和担心资源的关闭。首先我们来看看 Groovy 实现这一方式的原理。我们假设有这么一个资源处理类。
1 2 3 4 5 6 7 8 9 10 11 12 13 |
class Resource{ public Resource(String resourceName) throws ResourceException{ //open the resource } public Object read() throws ResourceException{ //return data or false as the end marker } public void close() throws ResourceException{ //close the resource } } |
那么我们的打开、读取和关闭资源的典型的 Java 代码看起来就像这样:
1 2 3 4 5 6 7 8 9 10 11 12 13 |
Resource res = new Resource("someName"); try{ while(result=res.read()){ println(result); } }catch(ResourceException e){ e.printStackTrace(); }finally{ try{ res.close(); }catch(ResourceException e){ } } |
这在数据库的操作是很常见的代码,当然我们一般不会处处这么写的,而是会写一个工具类方法来统一处理这种异常,不过这种办法仍显笨拙。
而 Groovy 的闭包能使得我们轻松优雅的处理资源,只要在原始类中增加一个新的 read() 方法,这个 read() 方法接受一个 Closure 参数,完整的 Resource 类如下:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 |
class Resource{ public Resource(String resourceName) throws ResourceException{ //open the resource } public Object read() throws ResourceException{ //return data or false as the end marker } public void read(Closure closure) throws ResourceException{ try{ while(result = read()){ closure.call(result); } }catch(ResourceException){ throw e; }finally{ try{ close() }catch(ResourceException e){ } } } public void close() throws ResourceException{ //close the resource } } |
OK,现在有了这个 read(Closure closure) 方法后,您使用上面的资源就简单多了,只要写成
1 2 3 |
new Resource("someName").read{ println it; } |
就行啦,非常简洁。
异常处理、资源打开和关闭被移到了接受闭包参数的 read() 方法中。这是 Groovy 中一种常见的应用哲学。它使 Groovy 脚本更容易阅读,也使它们编写起来更快且更轻松。它被广泛应用于系统操作(文件和进程操作) 和数据库使用等方法,Groovy 对标准的 Java 类进行了扩展,在以后会详细介绍这方面的用法。
最后来欣赏几个 Groovy 闭包这方面用法的代码:
1 2 3 4 5 6 |
//-----逐行以大写行式输出文件内容 import java.io.File; lineList = new File("foo.txt").readLines(); liineList.each { println it.toUpperCase(); } |
1 2 3 4 5 6 7 |
//-----数据库查询操作 import groovy.sql.Sql; sql = Sql.newInstance("jdbc:mysql://localhost/groovy", "root", "", "com.mysql.jdbc.Driver"); sql.eachRow("select * from user"){ println it.username; } |
参考:1. 《Java 脚本编程 语言、框架与模式》 第 4 章
import java.io.File;
lineList = new File("foo.txt").readLines();
liineList.each {
println it.toUpperCase();
}
可以简单的写为:
new File('foo.txt').eachLine {
println it.toUpperCase()
}
对啊,动态脚本语言就是动感十足,活灵活现。
public void class() throws ResourceException{
public void close() throws ResourceException{
谢谢,笔误,改过来了