有没有办法传递或绑定Container对象并在XSLTProcessor中调用Service对象的方法。有点像。
XSLTProcessor::registerFunction(); //in php file.
xsltStylesheet中的
<xslt:value-of select="php:function('serviceobject::serviceObjectMethod',string($xsltProcessingVariable))"/>
答案 0 :(得分:2)
在“普通”的PHP代码中,您可以执行类似
的操作<?php
class Foo {
public function __construct($prefix) {
$this->prefix = $prefix;
}
public function myMethod($id) {
return sprintf('%s#%s', $this->prefix, $id);
}
}
$fooA = new Foo('A');
$fooB = new Foo('B');
echo call_user_func_array( array($fooA, 'myMethod'), array('id1') ), "\r\n";
echo call_user_func_array( array($fooB, 'myMethod'), array('id1') ), "\r\n";
即。而不只是给call_user_func_array
函数的名称,而是传递array($obj, 'methodName')
来调用实例方法。
Unfortunatley似乎与php:function(...)
无关,我还没有找到另一种简单/干净的方法。
但是您可以在查找表string_id-&gt;对象中注册对象,然后使用类似
select="php:function('invoke', 'obj1', 'myMethod', string(@param1), string(@param2))"
样式表中的。 function invoke($objectId, $methodName)
现在必须找到已在$objectId
下注册的对象,然后调用上一个示例中的方法。
func_get_args()允许您检索传递给函数的所有参数,甚至是那些未在函数签名中声明的参数。切断前两个元素(即$ objectId和$ methodName)并将剩余的数组作为参数传递给call_user_func_array。
自包含的例子:
<?php
class Foo {
public function __construct($prefix) {
$this->prefix = $prefix;
}
public function myMethod($id) {
return sprintf('%s#%s', $this->prefix, $id);
}
}
function invoke($objectId, $methodname)
{
static $lookup = array();
$args = func_get_args();
if ( is_null($methodname) ) {
$lookup[$objectId] = $args[2];
}
else {
$args = array_slice($args, 2);
return call_user_func_array( array($lookup[$objectId], $methodname), $args);
}
}
// second parameter null -> register object
// sorry, it's just a quick hack
// don't do this in production code, no one will remember after two weeks
invoke('obj1', null, new Foo('A'));
invoke('obj2', null, new Foo('B'));
$proc = new XSLTProcessor();
$proc->registerPHPFunctions();
$proc->importStyleSheet(new SimpleXMLElement( style() ));
echo $proc->transformToXML(new SimpleXMLElement( document() ));
function document() {
return <<<EOB
<doc>
<element id="id1" />
<element id="id2" />
</doc>
EOB;
}
function style() {
return <<<EOB
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:php="http://php.net/xsl">
<xsl:output method="text"/>
<xsl:template match="element">
Obj1-<xsl:value-of select="php:function('invoke', 'obj1', 'myMethod', string(@id))"/>
|||
Obj2-<xsl:value-of select="php:function('invoke', 'obj2', 'myMethod', string(@id))"/>
</xsl:template>
</xsl:stylesheet>
EOB;
}
打印
Obj1-A#id1
|||
Obj2-B#id1
Obj1-A#id2
|||
Obj2-B#id2
btw:不要像我在这个例子中那样实现你的invoke()函数。我刚刚没有想出一个更好的方法来实现这个快速示例的register()/ invoke()功能; - )