我正在寻找一个可以在运行时刷新配置文件(yaml)的ruby gem(或者开发它的想法)。这样我就可以存储变量并使用它们。
答案 0 :(得分:4)
Configurabilty中有一个配置对象(披露:我是作者),您可以单独使用,也可以将其作为Configurability mixin的一部分使用。来自the documentation:
可配置性还包括Configurability::Config
,这非常简单
配置对象类,可用于加载YAML配置文件,
然后呈现类似Hash和类似Struct的界面以供阅读
配置部分和值;它意味着与Configurability配合使用,但它本身也很有用。
这是一个展示其部分功能的简单示例。假设你有一个 配置文件如下所示:
---
database:
development:
adapter: sqlite3
database: db/dev.db
pool: 5
timeout: 5000
testing:
adapter: sqlite3
database: db/testing.db
pool: 2
timeout: 5000
production:
adapter: postgres
database: fixedassets
pool: 25
timeout: 50
ldap:
uri: ldap://ldap.acme.com/dc=acme,dc=com
bind_dn: cn=web,dc=acme,dc=com
bind_pass: Mut@ge.Mix@ge
branding:
header: "#333"
title: "#dedede"
anchor: "#9fc8d4"
您可以像这样加载此配置:
require 'configurability/config'
config = Configurability::Config.load( 'examples/config.yml' )
# => #<Configurability::Config:0x1018a7c7016 loaded from
examples/config.yml; 3 sections: database, ldap, branding>
然后使用类似结构的方法访问它:
config.database
# => #<Configurability::Config::Struct:101806fb816
{:development=>{:adapter=>"sqlite3", :database=>"db/dev.db", :pool=>5,
:timeout=>5000}, :testing=>{:adapter=>"sqlite3",
:database=>"db/testing.db", :pool=>2, :timeout=>5000},
:production=>{:adapter=>"postgres", :database=>"fixedassets",
:pool=>25, :timeout=>50}}>
config.database.development.adapter
# => "sqlite3"
config.ldap.uri
# => "ldap://ldap.acme.com/dc=acme,dc=com"
config.branding.title
# => "#dedede"
或使用类似哈希的界面,使用Symbol
,String
或其混合
两个:
config[:branding][:title]
# => "#dedede"
config['branding']['header']
# => "#333"
config['branding'][:anchor]
# => "#9fc8d4"
您可以通过Configurability界面安装它:
config.install
检查自您加载的文件是否已更改 加载它:
config.changed?
# => false
# Simulate changing the file by manually changing its mtime
File.utime( Time.now, Time.now, config.path )
config.changed?
# => true
如果它已经改变(或者即使它没有改变),你可以重新加载它,它会通过可配置性界面自动重新安装它:
config.reload
您可以通过相同的类似结构或类似哈希的接口进行修改,并将修改后的配置写回到同一个文件中:
config.database.testing.adapter = 'mysql'
config[:database]['testing'].database = 't_fixedassets'
然后将其转储到YAML字符串:
config.dump
# => "--- \ndatabase: \n development: \n adapter: sqlite3\n
database: db/dev.db\n pool: 5\n timeout: 5000\n testing: \n
adapter: mysql\n database: t_fixedassets\n pool: 2\n timeout:
5000\n production: \n adapter: postgres\n database:
fixedassets\n pool: 25\n timeout: 50\nldap: \n uri:
ldap://ldap.acme.com/dc=acme,dc=com\n bind_dn:
cn=web,dc=acme,dc=com\n bind_pass: Mut@ge.Mix@ge\nbranding: \n
header: \"#333\"\n title: \"#dedede\"\n anchor: \"#9fc8d4\"\n"
或将其写回到从中加载的文件:
config.write
答案 1 :(得分:1)