我目前正在使用Phing构建系统,该系统采用Zend Framework项目模板并根据Phing参数进行配置。我遇到的一个问题是使用Zend_Config_Writer_Ini。
My Phing任务从repo中获取一个名为application.default.ini的预先填充的文件,并使用Zend_Config_Ini修改它以从构建文件中添加参数(db details等)。然后它将它写入application.ini,准备供项目使用。相关任务代码的简化版本如下所示:
$appConfig = new Zend_Config_Ini(
$appDefaultConfigPath,
null,
array(
'skipExtends' => true,
'allowModifications' => true
)
);
$appConfig->production->resources->db->params->host = $buildProperties->db->host;
$appConfig->production->resources->db->params->username = $buildProperties->db->username;
$appConfig->production->resources->db->params->password = $buildProperties->db->password;
$appConfig->production->resources->db->params->dbname = $buildProperties->db->dbname;
$writer = new Zend_Config_Writer_Ini();
$writer->setConfig($appConfig)
->setFilename($appConfigPath)
->write();
就数据库凭据而言,这样可以正常工作,但是当涉及包含已定义常量的预填充路径时会出现问题。例如:
bootstrap.path = APPLICATION_PATH "/Bootstrap.php"
变为:
bootstrap.path = "APPLICATION_PATH/Bootstrap.php"
在读取/写入不同的ini文件时是否有任何方法可以保留这些配置行,还是应该在运行任务之前重构我的构建文件以复制文件并仅修改我需要更改的ini行?
答案 0 :(得分:1)
加载现有配置时,所有常量都已翻译,即如果用print_r查看对象,则不再找到常量。因此,使用编写器打印完整路径而不是常量。
在您的情况下,我猜您的环境中不存在常量,因此按原样打印。
更新:更具体一点。 Zend_Config_Ini::_parseIniFile()
使用parse_ini_file()
读取ini文件,该文件将常量加载为实际路径。见php.net doc Example #2
答案 1 :(得分:1)
直接来自php.net comment:
如果与ini文件连接,则不会扩展ini文件中的常量 单引号引用的字符串,只能是双引号 使常数扩大。
示例:
define('APP_PATH','/ some / path');
mypath = APP_PATH'/ config'//常量不会展开:[mypath] => APP_PATH'/ config'
mypath = APP_PATH“/ config”//常量将被展开:[mypath] => /一些/路径/配置
所以你可以用单引号重写你的pathes ...
bootstrap.path = APPLICATION_PATH '/Bootstrap.php'
...然后用双引号替换所有出现的APPLICATION_PATH '*'
(一个简单的正则表达式应该这样做)。
答案 2 :(得分:1)
作为替代方案,您可以使用Phing的Filter替换配置模板中的标记。
示例任务:
<target name="setup-config" description="setup configuration">
<copy file="application/configs/application.ini.dist" tofile="application/configs/application.ini" overwrite="true">
<filterchain>
<replacetokens begintoken="##" endtoken="##">
<token key="DB_HOSTNAME" value="${db.host}"/>
<token key="DB_USERNAME" value="${db.user}"/>
<token key="DB_PASSWORD" value="${db.pass}"/>
<token key="DB_DATABASE" value="${db.name}"/>
</replacetokens>
</filterchain>
</copy>
</target>
此任务将application/configs/application.ini.dist
复制到application/configs/application.ini
,并使用phing属性##DB_HOSTNAME##
中的值替换${db.host}
之类的标记
答案 3 :(得分:0)
我希望使用Zend_Config的便利性同时保留使用APPLICATION_PATH常量的能力,所以在Zend_Config_Writer保存文件后,我最终用一个简单的正则表达式修复文件。
$writer->write();
// Zend_Config_Writer messes up the settings that contain APPLICATION_PATH
$content = file_get_contents($filename);
file_put_contents($filename, preg_replace('/"APPLICATION_PATH(.*)/', 'APPLICATION_PATH "$1', $content));