Zend Framework 2:使用formelementmanager将变量(“options”)传递给form

时间:2015-01-28 20:00:24

标签: php forms zend-framework2

我需要以编程方式根据某些选项更改表单的行为。比方说,我正在显示一个包含一些用户信息的表单。

当且仅当用户尚未收到激活邮件时,我才需要显示一个复选框“发送邮件”。以前,使用ZF1,我曾经做过像

这样的事情
$form = new MyForm(array("displaySendMail" => true))
反过来,

作为一个选项收到,并且允许这样做

class MyForm extends Zend_Form {

    protected $displaySendMail;

    [...]

    public function setDisplaySendMail($displaySendMail)
    {
        $this->displaySendMail = $displaySendMail;
    }


    public function init() {
        [....]
        if($this->displaySendMail)
        {
            $displaySendMail  new Zend_Form_Element_Checkbox("sendmail");
            $displaySendMail
                   ->setRequired(true)
                   ->setLabel("Send Activation Mail");
        }
    }

如何使用Zend Framework 2实现这一目标?我发现的所有内容都是关于管理依赖项(类),而不是这个场景,除了这个SO问题:ZF2 How to pass a variable to a form 最终,它依赖于传递依赖性。也许Jean Paul Rumeau最后评论的内容可以提供解决方案,但我无法让它发挥作用。 谢谢 甲

@AlexP,感谢您的支持。我已经使用了FormElementManager,所以它应该很简单。如果我理解正确,我应该在我的SomeForm构造函数中检索这些选项,不应该吗?

[in Module.php]

'Application\SomeForm' => function($sm)
           {
                $form = new SomeForm();
                $form->setServiceManager($sm);
                return $form;
            },
在SomeForm.php中

class SomeForm extends Form implements ServiceManagerAwareInterface
{
    protected $sm;

    public function __construct($name, $options) {
         [here i have options?]
         parent::__construct($name, $options);
    }
 }

我试过这个,但是没有用,我会再试一次并仔细检查一切。

1 个答案:

答案 0 :(得分:2)

使用插件管理器(扩展Zend\ServiceManager\AbstractPluginManager的类),您可以提供创建选项'数组作为第二个参数。

$formElementManager = $serviceManager->get('FormElementManager');
$form = $formElementManager->get('SomeForm', array('foo' => 'bar')); 

重要的是您如何向经理注册服务。 '可调用'服务将把选项数组传递给所请求的服务的构造函数,但是'工厂' (必须是工厂类名称的字符串)将在其构造函数中获取选项。

修改

您已使用匿名功能注册了您的服务,这意味着将为您服务。而是使用工厂

// Module.php
public function getFormElementConfig()
{
    return array(
        'factories' => array(
            'Application\SomeForm' => 'Application\SomeFormFactory',
        ),
    );
}

然后它是工厂,它会将选项注入到它的构造函数中(如果你认为它有意义的话)。

namespace Application;

use Application\SomeForm;
use Zend\ServiceManager\ServiceLocatorInterface;
use Zend\ServiceManager\FactoryInterface;

class SomeFormFactory implements FactoryInterface
{
    protected $options = array();

    public function __construct(array $options = array())
    {
        $this->options = $options;
    }

    public function createService(ServiceLocatorInterface $serviceLocator)
    {
        return new SomeForm('some_form', $this->options);
    }
}

或者,您可以将其注册为“可调用的”服务,直接注入您请求的服务(SomeForm)。服务;显然这将取决于服务所需的依赖项。