我想知道是否以及如何使用XSLT处理器注册PHP用户空间函数,该处理器不仅可以获取节点数组而且还可以返回它?
现在PHP抱怨使用常见设置进行数组到字符串转换:
function all_but_first(array $nodes) {
array_shift($nodes);
shuffle($nodes);
return $nodes;
};
$proc = new XSLTProcessor();
$proc->registerPHPFunctions();
$proc->importStylesheet($xslDoc);
$buffer = $proc->transformToXML($xmlDoc);
要转换的XMLDocument($xmlDoc
)例如可以是:
<p>
<name>Name-1</name>
<name>Name-2</name>
<name>Name-3</name>
<name>Name-4</name>
</p>
在样式表中,它的调用方式如下:
<xsl:template name="listing">
<xsl:apply-templates select="php:function('all_but_first', /p/name)">
</xsl:apply-templates>
</xsl:template>
通知如下:
注意:数组转换为字符串
我不明白为什么如果函数获取数组,因为输入也无法返回数组?
我也尝试了其他“功能”名称,因为我看到有php:functionString
,但到目前为止所有尝试过(php:functionArray
,php:functionSet
和php:functionList
)都没有工作
在PHP手册中我写了我可以返回另外包含DOMDocument
个元素的元素,但是这些元素不再是原始文档中的元素。这对我来说没什么意义。
答案 0 :(得分:3)
对我有用的是返回DOMDocumentFragment
的实例而不是数组。因此,为了在您的示例中尝试,我将您的输入保存为foo.xml
。然后我让foo.xslt
看起来像这样:
<xsl:stylesheet version="1.0" xmlns:xsl='http://www.w3.org/1999/XSL/Transform'
xmlns:php="http://php.net/xsl">
<xsl:template match="/">
<xsl:call-template name="listing" />
</xsl:template>
<xsl:template match="name">
<bar> <xsl:value-of select="text()" /> </bar>
</xsl:template>
<xsl:template name="listing">
<foo>
<xsl:for-each select="php:function('all_but_first', /p/name)">
<xsl:apply-templates />
</xsl:for-each>
</foo>
</xsl:template>
</xsl:stylesheet>
(这主要是你用xsl:stylesheet
包装器调用它的例子。)真正的问题在于foo.php
:
<?php
function all_but_first($nodes) {
if (($nodes == null) || (count($nodes) == 0)) {
return ''; // Not sure what the right "nothing" return value is
}
$returnValue = $nodes[0]->ownerDocument->createDocumentFragment();
array_shift($nodes);
shuffle($nodes);
foreach ($nodes as $node) {
$returnValue->appendChild($node);
}
return $returnValue;
};
$xslDoc = new SimpleXMLElement('./foo.xslt', 0, true);
$xmlDoc = new SimpleXMLElement('./foo.xml', 0, true);
$proc = new XSLTProcessor();
$proc->registerPHPFunctions();
$proc->importStylesheet($xslDoc);
$buffer = $proc->transformToXML($xmlDoc);
echo $buffer;
?>
重要的部分是调用ownerDocument->createDocumentFragment()
来创建从函数返回的对象。