我正在寻找groovy特定的方式来读取文件并将其内容存储为不同的变量。我的属性文件示例:
#Local credentials:
postgresql.url = xxxx.xxxx.xxxx
postgresql.username = xxxxxxx
postgresql.password = xxxxxxx
console.url = xxxxx.xxxx.xxx
目前我正在使用此java代码读取文件并使用变量:
Properties prop = new Properties();
InputStream input = null;
try {
input = new FileInputStream("config.properties");
prop.load(input);
this.postgresqlUser = prop.getProperty("postgresql.username")
this.postgresqlPass = prop.getProperty("postgresql.password")
this.postgresqlUrl = prop.getProperty("postgresql.url")
this.consoleUrl = prop.getProperty("console.url")
} catch (IOException ex) {
ex.printStackTrace();
} finally {
if (input != null) {
try {
input.close();
} catch (IOException e) {
}
}
}
}
我的同事建议使用groovy方式来处理这个并提及流,但我似乎无法找到有关如何将数据存储在单独变量中的大量信息,到目前为止我所知道的是{{1}可以读取整个文件并将其存储在一个变量中,但不能分开。任何帮助将不胜感激
答案 0 :(得分:3)
如果您愿意使您的属性文件键和类属性遵守命名约定,那么您可以非常轻松地应用属性文件值。这是一个例子:
def config = '''
#Local credentials:
postgresql.url = xxxx.xxxx.xxxx
postgresql.username = xxxxxxx
postgresql.password = xxxxxxx
console.url = xxxxx.xxxx.xxx
'''
def props = new Properties().with {
load(new StringBufferInputStream(config))
delegate
}
class Foo {
def postgresqlUsername
def postgresqlPassword
def postgresqlUrl
def consoleUrl
Foo(Properties props) {
props.each { key, value ->
def propertyName = key.replaceAll(/\../) { it[1].toUpperCase() }
setProperty(propertyName, value)
}
}
}
def a = new Foo(props)
assert a.postgresqlUsername == 'xxxxxxx'
assert a.postgresqlPassword == 'xxxxxxx'
assert a.postgresqlUrl == 'xxxx.xxxx.xxxx'
assert a.consoleUrl == 'xxxxx.xxxx.xxx'
在此示例中,通过删除“。”来转换属性键。并将以下信件大写。因此postgresql.url
变为postgresqlUrl
。然后,只需迭代键并调用setProperty()
即可应用该值。
答案 1 :(得分:1)