在尝试使用 .从 XML 文件中提取数据时Zend_Config_Xml
,我正在寻找处理这些数据的最佳方法,其中多个元素具有相同的名称。请看下面的例子。
这是 XML 文件:
<?xml version="1.0" encoding="UTF-8" ?>
<root>
<stylesheets>
<stylesheet>example1.css</stylesheet>
<stylesheet>example2.css</stylesheet>
</stylesheets>
</root>
这是代码:
$data = new Zend_Config_Xml('./path/to/xml_file.xml', 'stylesheets');
$stylesheets = $data->stylesheet->toArray();
我想做的是$stylesheet
使用 foreach 循环遍历数组,提取文件名,然后将样式表附加到headLink()
. 这很好用......但是,当<stylesheet>
元素数量小于 2 时,我会遇到问题。因此,例如,如果我们<stylesheet>example2.css</stylesheet>
从 XML 文件中删除,我会遇到Fatal error: Call to a member function toArray() on a non-object
. 你会如何处理这种情况?
更新 1 - 替代 SimpleXML 解决方案:
就个人而言,我使用 SimpleXML 解决了这个问题,因为 Zend 给我带来了太多的白发。即使没有<stylesheet>
元素,这也将起作用。不幸的是,我不觉得它很“光滑”,并希望有一个 Zend 解决方案。
// define path to skin XML config file
$path = './path/to/file';
if (file_exists($path)) {
// load the config file via SimpleXML
$xml = simplexml_load_file($path);
$stylesheets = (array)$xml->stylesheets;
// append each stylesheet
foreach ($stylesheets as $stylesheet) {
if (is_array($stylesheet)) {
foreach ($stylesheet as $key => $value) {
$this->setStylesheet('/path/to/css/' . $value);
}
} else {
$this->setStylesheet('/path/to/css/' . $stylesheet);
}
}
}
// function to append stylesheets
private function setStylesheet($path)
{
$this->view->headLink()->appendStylesheet($path);
}
更新 2 - 笨拙的 Zend 解决方案:
根据反馈,此解决方案适用于 0 到多个数字stylesheet
元素……它不是很漂亮。我希望有一个松散耦合的设计,一种标准化的东西,您可以在其上互换使用,同时又易于实现。
// load the skin config file
$path = './path/to/file.xml';
if (file_exists($path)) {
$data = new Zend_Config_Xml($path, 'stylesheets');
$stylesheets = $data->toArray();
// append each stylesheet
if (array_key_exists('stylesheet', $stylesheets)) {
foreach ((array)$stylesheets['stylesheet'] as $key => $value) {
$this->view->headLink()->appendStylesheet(
'/path/to/css/' . $value);
}
}
}