UPD:已解决 - 增加了额外的装饰。
我需要得到以下结果:
<dd id="daily_722-element">
<input id="daily_722" type="checkbox" name="daily_722" value="1">
<span> some text </span>
</dd>
我需要在复选框之后将&#34;某些文字&#34; 包裹在html标签之后,然后在/ DD之前(不是之后)!
我目前的代码如下:
$chk = new Zend_Form_Element_Checkbox('daily_shit');
$chk->setLabel('<span class="dt-note">'. $firstName. '</span>');
$chk->getDecorator('label')->setOption('escape', false);
因此产生:
<dd id="daily_722-element">
<input id="daily_722" type="checkbox" name="daily_722" value="1">
</dd>
我无法弄清楚如何在复选框之后注入额外的HTML ...但是在DD
中答案 0 :(得分:1)
你可以为此编写自定义装饰器。方法render
接收原始内容并对其进行更改,而不是返回更改的内容。
class MyDecorator extends Zend_Form_Decorator_Abstract
{
public function render($content)
{
return $content . $this->_options['content'];
}
}
并在表单构建中使用它
$form = new Zend_Form();
$chk = new Zend_Form_Element_Checkbox('daily_shit');
$chk->setLabel('<span class="dt-note">maxa</span>');
$chk->getDecorator('label')->setOption('escape', false);
$decorators = $chk->getDecorators();
$chk->clearDecorators();
$chk->addDecorator($decorators['Zend_Form_Decorator_ViewHelper']);
$chk->addDecorator(new MyDecorator(array('content' => '<span> some text </span>')));
$chk->addDecorator($decorators['Zend_Form_Decorator_Errors']);
$chk->addDecorator($decorators['Zend_Form_Decorator_Description']);
$chk->addDecorator($decorators['Zend_Form_Decorator_HtmlTag']);
$chk->addDecorator($decorators['Zend_Form_Decorator_Label']);
$form->addElement($chk);
答案 1 :(得分:1)
ZF1装饰器是众所周知的混淆源。如果你付出一些努力,并了解它们如何构建一个结果HTML,那么实现你想要的东西非常简单。
我想你还没有覆盖ZF的表单元素的默认装饰器。然后他们是(记住他们按顺序执行,改变前一个装饰者返回的内容):
现在您需要的是在输入(或错误/描述)之后添加<span> some text </span>
,但在它被dd
包裹之前。这意味着应该将新装饰器添加到正确位置的现有装饰器链中。
$chk = new Zend_Form_Element_Checkbox('daily_shit');
$chk->setLabel('<span class="dt-note">firstName</span>');
$chk->getDecorator('label')->setOption('escape', false);
// Create a new decorator to render span you need
$postCheckboxDecorator = new Zend_Form_Decorator_Callback(
array(
'callback' => function () {
return '<span>some text</span>';
}
)
);
// Add it into existing chain of decorators, right after ViewHelper
$decorators = $chk->getDecorators();
$decorators = array_slice($decorators, 0, 1, true) +
array('PostCheckboxDecorator' => $postCheckboxDecorator) +
array_slice($decorators, 1, count($decorators) - 1, true);
// Replace element's decorators with a modified chain
$chk->setDecorators($decorators);