我有一套通用的功能,我希望使用该应用的Zend_Application
实例内的configs
参数嵌入到Zend_Config
实例中。但是,从属配置文件希望能够引用相对于自身的路径中的内容。例如:
$ /应用/ CONFIGS /的application.ini:
[base]
config[] = APPLICATION_PATH "../CasCommon/Configs/common.ini
$ / CasCommon / CONFIGS /使用common.ini
[base]
resources.frontController.controllerDirectory[] = PATH_TO_THIS_IN_DIR "../Controllers"
resources.frontController.actionHelperPaths.Cas_Common_Helper = PATH_TO_THIS_IN_DIR "../ControllerHelpers"
;...
如何才能完成这样的事情?
答案 0 :(得分:3)
PHP支持Ini文件中的常量,但遗憾的是不是魔术常量,因此您无法使用__DIR__
来解决问题。最简单和最明显的事情是将application.ini文件的路径定义为常量,就像使用APPLICATION_PATH
一样,例如。
// application.ini
foo = INI_PATH '/../somewhere/else'
// index.php
const INI_PATH = '/path/to/config/folder';
然后只需定期加载Zend_Application
或实例化新的Zend_Config
,就会按照您的意愿评估常量。
评论后修改
我发现关于上述问题的争论不够自动化。在标准的ZF项目中,APPLICATION_PATH
在index.php文件中定义,并且也是default application.ini is loaded的位置。你所要做的就是在那里添加常量。 Ini文件无论如何都不会存在,所以有人必须在某个时候调用外部库(可能你是开发人员)。上述解决方案需要一行设置。任何其他解决方案都需要更多的工作。
如果这对您不够好,您可以扩展Zend_Application
以在application.ini加载之前自动添加该常量:
class My_Zend_Application extends Zend_Application
{
protected function _loadConfig($file)
{
if (!defined('PATH_TO_INI')) {
define('PATH_TO_INI', dirname(realpath($file)));
}
return parent::_loadConfig($file);
}
}
当然,您仍然需要更改index.php以使用扩展的My_Zend_Application
,这就是为什么我发现这种方法毫无意义,因为您也可以在index.php文件中添加常量。
自定义Zend_Application
当然会限制您使用application.ini,因为您无法再在运行时更改常量。因此,如果您需要多个Ini文件的此功能而不仅仅是application.ini,请扩展Zend_Config_Ini
并在返回之前检查相对路径标记的每个值,例如
class My_Config_Ini extends Zend_Config_Ini
{
protected $_relativePath;
protected $_relativePathMarker = '%REL_PATH%';
public function __construct($filename, $section = null, $options = false)
{
$this->_relativePath = dirname(realpath($filename));
parent::__construct($filename, $section, $options);
}
public function get($name, $default = null)
{
if (array_key_exists($name, $this->_data)) {
return $this->_containsRelativePathMarker($this->_data[$name])
? $this->_expandRelativePath($this->_data[$name])
: $this->_data[$name];
}
return $default;
}
protected function _containsRelativePathMarker($value)
{
return strpos($value, $this->_relativePathMarker) !== FALSE;
}
protected function _expandRelativePath($value)
{
return str_replace('%REL_PATH%', $this->_relativePath, $value);
}
}
以上假设您使用类似
的内容编写Ini文件foo = %REL_PATH% '/../foo.txt'
如果仍然不是您所期待的,我只能再次鼓励您提出准确的要求。当你在这里不接受任何答案时,提供500点声誉没有意义,因为我们没有读懂你的想法。
答案 1 :(得分:2)
另一个选项是(如果你将allowModifications
选项设置为true)是更改工作目录,然后realpath文件夹。或者甚至在加载文件后添加路径。
$config = new Zend_Config_Ini('config.ini', 'section', array(
'allowModifications' => true,
));
$dir = getcwd();
chdir('..');
$config->path = realpath($config->path);
chdir($dir);