ZF3 — Как заполнить элемент выбора в коллекции наборов полей

Следующий сценарий:
Я хочу редактировать таблицу «учетные записи», которая состоит из 3 полей (идентификатор, имя пользователя и домен) с помощью формы Zend Framework 3. Поле ‘домен’ может быть выбрано из набора доменных имен (здесь статический массив для упрощения)

У меня есть простая сущность с геттерами и сеттерамиAccountModel.php«:

namespace Project\Model;

class AccountModel {

private $id;

private $userName;

private $domain;

public function getUserName(){
return $this->userName;
}
public function setUserName(string $userName){
$this->userName = $userName;
return $this;
}
public function getId() {
return $this->id;
}
public function setId(int $id) {
$this->id = $id;
return $this;
}
public function getDomain() {
return $this->domain;
}
public function setDomain($domain) {
$this->domain = $domain;
return $this;
}
}

И соответствующий Fieldset ‘AccountFieldset.php«:

namespace Project\Form;

use Zend\Form\Fieldset;
use Zend\InputFilter\InputFilterProviderInterface;
use Zend\Form\Element\Text;
use Zend\Form\Element\Select;
use Project\Model\AccountModel;
use Zend\Hydrator\ClassMethods;class AccountFieldset extends Fieldset implements
InputFilterProviderInterface {
const NAME_ID = 'id';
const NAME_USERNAME = 'username';
const NAME_DOMAIN = 'domain';

private $domainsOptionValues = [ ];

public function __construct(array $domains, $name = null, $options = null) {
parent::__construct ( isset ( $name ) ? $name : 'account-fieldset', $options );

$this->setHydrator ( new ClassMethods ( false ) )->setObject ( new AccountModel () );
$this->domainsOptionValues = $domains;
}
public function init() {
$this->add ( [
'name' => self::NAME_ID,
'type' => Text::class,
'options' => [
'label' => 'Id'
],
'attributes' => [
'required' => 'required',
'readonly' => true
]
] );
$this->add ( [
'name' => self::NAME_USERNAME,
'type' => Text::class,
'options' => [
'label' => 'Username'
],
'attributes' => [
'required' => 'required'
]
] );
$this->add ( [
'name' => self::NAME_DOMAIN,
'type' => Select::class,
'options' => [
'label' => 'Domains',
'value_options' => $this->domainsOptionValues
],
'attributes' => [
'required' => 'required'
]
] );
}

public function getInputFilterSpecification() {
return [
/**  some InputFilterSpecifications **/
];
}
}

Этот набор полей будет использоваться в другом наборе полей, в котором представлена ​​таблицаAccountTableFieldset.php«:

namespace Project\Form;

use Project\Model\AccountsTableModel;
use Zend\Form\Fieldset;
use Zend\Hydrator\ClassMethods;
use Zend\InputFilter\InputFilterProviderInterface;

class AccountsTableFieldset extends Fieldset implements InputFilterProviderInterface {

const NAME_ACCOUNTS = 'accounts';

public function __construct($name = null, $options = []) {
$name = isset ( $name ) ? $name : 'accounts-table';
parent::__construct ( $name, $options );

$this->setHydrator ( new ClassMethods ( false ) )->setObject ( new AccountsTableModel () );

$this->add ( [
'type' => 'Zend\Form\Element\Collection',
'name' => 'accounts',
'options' => [
'label' => 'Accounts',
'count' => 1,
'should_create_template' => false,
'allow_add' => false,
'target_element' => [
'type' => AccountFieldset::class,
]
]
] );
}

public function getInputFilterSpecification() {
return [
/** some InputFilterSpecification **/
];
}
}

Ничего особенного сAccountsTableModel.php«:

namespace Project\Model;

class AccountsTableModel {

private $accounts = [];

/**
* @return AccountModel[]
*/
public function getAccounts() : array {
return $this->accounts;
}
public function setAccounts(array $accounts) {
$this->accounts = $accounts;
return $this;
}
}

Так что моя форма выглядит такAccountForm.php«:

namespace Project\Form;

use Zend\Form\Form;
use Zend\Form\Element\Submit;

class AccountsForm extends Form {

const NAME_TABLE = 'accounts-table';
const NAME_SUBMIT= 'accounts-save';

public function init(){

$this->setName('accounts-form');

$this->add([
'name' => self::NAME_TABLE,
'type' => AccountsTableFieldset::class,
'attributes' => [
'class' => 'accounts',
'id' => 'accounts-table',
],
]);

$this->add([
'name' => self::NAME_SUBMIT,
'type' => Submit::class,
'attributes' => [
'class' => 'btn btn-success',
'value' => 'Save accounts',
'id' => 'accounts-save',
],
]);
}
}

Эта форма инициализируется через FormElementManager вAccountsFormFactory.php«:

namespace Project\Factory;

use Interop\Container\ContainerInterface;
use Project\Form\AccountsForm;
use Zend\ServiceManager\Factory\FactoryInterface;

class AccountsFormFactory implements FactoryInterface{

public function __invoke(ContainerInterface $container){
$accountsForm = $container->get('FormElementManager')->get(AccountsForm::class);
$accountsForm->init();

return $accountsForm;
}
}

Чтобы заполнить элемент Select в AccountFieldset, я создал «** AccountFieldsetFactory.php **»:

namespace Project\Factory;

use Interop\Container\ContainerInterface;
use Project\Form\AccountFieldset;

class AccountFieldsetFactory {
public function __invoke(ContainerInterface $container){
$domains = [
'1' => 'example1.com',
'2' => 'example2.com',
'3' => 'example3.com',
];
$accountsFieldset = new AccountFieldset($domains);
$accountsFieldset->init();

// die(__FILE__ . ' #'. __LINE__);
return $accountsFieldset;
}
}

Обратите внимание, что я позволил ему умереть. Но эта строка, к сожалению, никогда не достигается, потому что ElementFactory напрямую вызывает AccountFieldset. В этот момент я получаю ошибку:

Uncaught TypeError: Argument 1 passed to Project\\Form\\AccountFieldset::__construct() must be of the type array, string given, called in /var/www/html/zf3.local/vendor/zendframework/zend-form/src/ElementFactory.php on line 70

Почему вызывается ElementFactory вместо моего AccountFieldsetFactory? Я настроил «фабрики» для «form_elements» следующим образомConfigProvider.php«:

namespace MailManager;

use Zend\Db\Adapter;
use Project\Factory\FormElementManagerDelegatorFactory;

class ConfigProvider {
public function __invoke(){

return [
'dependencies'  => $this->getDependencies(),
'routes'        => $this->getRoutes(),
'templates'     => $this->getTemplates(),
'form_elements' => [
'factories' => [
Form\AccountFieldset::class => Factory\AccountFieldsetFactory::class,
]
]
];
}

public function getDependencies(){
return [
'factories' => [
Action\AccountsAction::class => Factory\AccountsActionFactory::class,

Repository\AccountsRepositoryInterface::class => Factory\AccountsRepositoryFactory::class,

Storage\AccountsStorageInterface::class => Factory\AccountsStorageFactory::class,

Form\AccountsForm::class => Factory\AccountsFormFactory::class,
Form\NewAccountForm::class => Factory\NewAccountFormFactory::class,

Adapter\AdapterInterface::class => Adapter\AdapterServiceFactory::class,
],
'delegators' => [
'FormElementManager' => [
FormElementManagerDelegatorFactory::class,
],
],
];
}

public function getRoutes(){
return [
/** some routes **/
];
}

public function getTemplates(){
return [
'paths' => [
/** some paths **/
],
];
}
}

Благодаря совету в Настройте FormElementManager # 387 FormElementManagerDelegatorFactory работает нормально, а AccountFieldsetFactory отображается в разделе фабрики FormElementManager. Но, к сожалению (как упоминалось ранее) AccountFieldsetFactory никогда не вызывался. Что мне не хватает?

0

Решение

Проблема была вызвана простым упущением: AccountsTableFieldset добавлял коллекцию AccountFieldsets непосредственно в конструктор. Это должно было быть сделано методом init (). Так меняюAccountTableFieldset.php«:

namespace Project\Form;

use Project\Model\AccountsTableModel;
use Zend\Form\Fieldset;
use Zend\Hydrator\ClassMethods;
use Zend\InputFilter\InputFilterProviderInterface;

class AccountsTableFieldset extends Fieldset implements InputFilterProviderInterface {

const NAME_ACCOUNTS = 'accounts';

public function __construct($name = null, $options = []) {
$name = isset ( $name ) ? $name : 'accounts-table';
parent::__construct ( $name, $options );

$this->setHydrator ( new ClassMethods ( false ) )->setObject ( new AccountsTableModel () );
}

public function init() {
$this->add ( [
'type' => 'Zend\Form\Element\Collection',
'name' => 'accounts',
'options' => [
'label' => 'Accounts',
'count' => 1,
'should_create_template' => false,
'allow_add' => false,
'target_element' => [
'type' => AccountFieldset::class,
]
]
] );
}

public function getInputFilterSpecification() {
return [
/** some InputFilterSpecification **/
];
}
}
0

Другие решения

Других решений пока нет …

По вопросам рекламы [email protected]