发布于 2015-08-27 16:38:44 | 207 次阅读 | 评论: 0 | 来源: 网络整理
In this entry, you’ll learn how to create a form that embeds a collection
of many other forms. This could be useful, for example, if you had a Task
class and you wanted to edit/create/remove many Tag
objects related to
that Task, right inside the same form.
注解
In this entry, it’s loosely assumed that you’re using Doctrine as your database store. But if you’re not using Doctrine (e.g. Propel or just a database connection), it’s all very similar. There are only a few parts of this tutorial that really care about “persistence”.
If you are using Doctrine, you’ll need to add the Doctrine metadata,
including the ManyToMany
association mapping definition on the Task’s
tags
property.
First, suppose that each Task
belongs to multiple Tag
objects. Start
by creating a simple Task
class:
// src/Acme/TaskBundle/Entity/Task.php
namespace AcmeTaskBundleEntity;
use DoctrineCommonCollectionsArrayCollection;
class Task
{
protected $description;
protected $tags;
public function __construct()
{
$this->tags = new ArrayCollection();
}
public function getDescription()
{
return $this->description;
}
public function setDescription($description)
{
$this->description = $description;
}
public function getTags()
{
return $this->tags;
}
}
注解
The ArrayCollection
is specific to Doctrine and is basically the
same as using an array
(but it must be an ArrayCollection
if
you’re using Doctrine).
Now, create a Tag
class. As you saw above, a Task
can have many Tag
objects:
// src/Acme/TaskBundle/Entity/Tag.php
namespace AcmeTaskBundleEntity;
class Tag
{
public $name;
}
小技巧
The name
property is public here, but it can just as easily be protected
or private (but then it would need getName
and setName
methods).
Then, create a form class so that a Tag
object can be modified by the user:
// src/Acme/TaskBundle/Form/Type/TagType.php
namespace AcmeTaskBundleFormType;
use SymfonyComponentFormAbstractType;
use SymfonyComponentFormFormBuilderInterface;
use SymfonyComponentOptionsResolverOptionsResolver;
class TagType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('name');
}
public function configureOptions(OptionsResolver $resolver)
{
$resolver->setDefaults(array(
'data_class' => 'AcmeTaskBundleEntityTag',
));
}
public function getName()
{
return 'tag';
}
}
With this, you have enough to render a tag form by itself. But since the end
goal is to allow the tags of a Task
to be modified right inside the task
form itself, create a form for the Task
class.
Notice that you embed a collection of TagType
forms using the
collection field type:
// src/Acme/TaskBundle/Form/Type/TaskType.php
namespace AcmeTaskBundleFormType;
use SymfonyComponentFormAbstractType;
use SymfonyComponentFormFormBuilderInterface;
use SymfonyComponentOptionsResolverOptionsResolver;
class TaskType extends AbstractType
{
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('description');
$builder->add('tags', 'collection', array('type' => new TagType()));
}
public function configureOptions(OptionsResolver $resolver)
{
$resolver->setDefaults(array(
'data_class' => 'AcmeTaskBundleEntityTask',
));
}
public function getName()
{
return 'task';
}
}
In your controller, you’ll now initialize a new instance of TaskType
:
// src/Acme/TaskBundle/Controller/TaskController.php
namespace AcmeTaskBundleController;
use AcmeTaskBundleEntityTask;
use AcmeTaskBundleEntityTag;
use AcmeTaskBundleFormTypeTaskType;
use SymfonyComponentHttpFoundationRequest;
use SymfonyBundleFrameworkBundleControllerController;
class TaskController extends Controller
{
public function newAction(Request $request)
{
$task = new Task();
// dummy code - this is here just so that the Task has some tags
// otherwise, this isn't an interesting example
$tag1 = new Tag();
$tag1->name = 'tag1';
$task->getTags()->add($tag1);
$tag2 = new Tag();
$tag2->name = 'tag2';
$task->getTags()->add($tag2);
// end dummy code
$form = $this->createForm(new TaskType(), $task);
$form->handleRequest($request);
if ($form->isValid()) {
// ... maybe do some form processing, like saving the Task and Tag objects
}
return $this->render('AcmeTaskBundle:Task:new.html.twig', array(
'form' => $form->createView(),
));
}
}
The corresponding template is now able to render both the description
field for the task form as well as all the TagType
forms for any tags
that are already related to this Task
. In the above controller, I added
some dummy code so that you can see this in action (since a Task
has
zero tags when first created).
{# src/Acme/TaskBundle/Resources/views/Task/new.html.twig #}
{# ... #}
{{ form_start(form) }}
{# render the task's only field: description #}
{{ form_row(form.description) }}
<h3>Tags</h3>
<ul class="tags">
{# iterate over each existing tag and render its only field: name #}
{% for tag in form.tags %}
<li>{{ form_row(tag.name) }}</li>
{% endfor %}
</ul>
{{ form_end(form) }}
{# ... #}
<!-- src/Acme/TaskBundle/Resources/views/Task/new.html.php -->
<!-- ... -->
<?php echo $view['form']->start($form) ?>
<!-- render the task's only field: description -->
<?php echo $view['form']->row($form['description']) ?>
<h3>Tags</h3>
<ul class="tags">
<?php foreach($form['tags'] as $tag): ?>
<li><?php echo $view['form']->row($tag['name']) ?></li>
<?php endforeach ?>
</ul>
<?php echo $view['form']->end($form) ?>
<!-- ... -->
When the user submits the form, the submitted data for the tags
field are
used to construct an ArrayCollection
of Tag
objects, which is then set
on the tag
field of the Task
instance.
The tags
collection is accessible naturally via $task->getTags()
and can be persisted to the database or used however you need.
So far, this works great, but this doesn’t allow you to dynamically add new tags or delete existing tags. So, while editing existing tags will work great, your user can’t actually add any new tags yet.
警告
In this entry, you embed only one collection, but you are not limited
to this. You can also embed nested collection as many levels down as you
like. But if you use Xdebug in your development setup, you may receive
a Maximum function nesting level of '100' reached, aborting!
error.
This is due to the xdebug.max_nesting_level
PHP setting, which defaults
to 100
.
This directive limits recursion to 100 calls which may not be enough for
rendering the form in the template if you render the whole form at
once (e.g form_widget(form)
). To fix this you can set this directive
to a higher value (either via a php.ini
file or via ini_set
,
for example in app/autoload.php
) or render each form field by hand
using form_row
.
Allowing the user to dynamically add new tags means that you’ll need to use some JavaScript. Previously you added two tags to your form in the controller. Now let the user add as many tag forms as they need directly in the browser. This will be done through a bit of JavaScript.
The first thing you need to do is to let the form collection know that it will
receive an unknown number of tags. So far you’ve added two tags and the form
type expects to receive exactly two, otherwise an error will be thrown:
This form should not contain extra fields
. To make this flexible,
add the allow_add
option to your collection field:
// src/Acme/TaskBundle/Form/Type/TaskType.php
// ...
use SymfonyComponentFormFormBuilderInterface;
public function buildForm(FormBuilderInterface $builder, array $options)
{
$builder->add('description');
$builder->add('tags', 'collection', array(
'type' => new TagType(),
'allow_add' => true,
));
}
In addition to telling the field to accept any number of submitted objects, the
allow_add
also makes a “prototype” variable available to you. This “prototype”
is a little “template” that contains all the HTML to be able to render any
new “tag” forms. To render it, make the following change to your template:
<ul class="tags" data-prototype="{{ form_widget(form.tags.vars.prototype)|e }}">
...
</ul>
<ul class="tags" data-prototype="<?php
echo $view->escape($view['form']->row($form['tags']->vars['prototype']))
?>">
...
</ul>
注解
If you render your whole “tags” sub-form at once (e.g. form_row(form.tags)
),
then the prototype is automatically available on the outer div
as
the data-prototype
attribute, similar to what you see above.
小技巧
The form.tags.vars.prototype
is a form element that looks and feels just
like the individual form_widget(tag)
elements inside your for
loop.
This means that you can call form_widget
, form_row
or form_label
on it. You could even choose to render only one of its fields (e.g. the
name
field):
{{ form_widget(form.tags.vars.prototype.name)|e }}
On the rendered page, the result will look something like this:
<ul class="tags" data-prototype="<div><label class=" required">__name__</label><div id="task_tags___name__"><div><label for="task_tags___name___name" class=" required">Name</label><input type="text" id="task_tags___name___name" name="task[tags][__name__][name]" required="required" maxlength="255" /></div></div></div>">
The goal of this section will be to use JavaScript to read this attribute and dynamically add new tag forms when the user clicks a “Add a tag” link. To make things simple, this example uses jQuery and assumes you have it included somewhere on your page.
Add a script
tag somewhere on your page so you can start writing some JavaScript.
First, add a link to the bottom of the “tags” list via JavaScript. Second,
bind to the “click” event of that link so you can add a new tag form (addTagForm
will be show next):
var $collectionHolder;
// setup an "add a tag" link
var $addTagLink = $('<a href="#" class="add_tag_link">Add a tag</a>');
var $newLinkLi = $('<li></li>').append($addTagLink);
jQuery(document).ready(function() {
// Get the ul that holds the collection of tags
$collectionHolder = $('ul.tags');
// add the "add a tag" anchor and li to the tags ul
$collectionHolder.append($newLinkLi);
// count the current form inputs we have (e.g. 2), use that as the new
// index when inserting a new item (e.g. 2)
$collectionHolder.data('index', $collectionHolder.find(':input').length);
$addTagLink.on('click', function(e) {
// prevent the link from creating a "#" on the URL
e.preventDefault();
// add a new tag form (see next code block)
addTagForm($collectionHolder, $newLinkLi);
});
});
The addTagForm
function’s job will be to use the data-prototype
attribute
to dynamically add a new form when this link is clicked. The data-prototype
HTML contains the tag text
input element with a name of task[tags][__name__][name]
and id of task_tags___name___name
. The __name__
is a little “placeholder”,
which you’ll replace with a unique, incrementing number (e.g. task[tags][3][name]
).
The actual code needed to make this all work can vary quite a bit, but here’s one example:
function addTagForm($collectionHolder, $newLinkLi) {
// Get the data-prototype explained earlier
var prototype = $collectionHolder.data('prototype');
// get the new index
var index = $collectionHolder.data('index');
// Replace '__name__' in the prototype's HTML to
// instead be a number based on how many items we have
var newForm = prototype.replace(/__name__/g, index);
// increase the index with one for the next item
$collectionHolder.data('index', index + 1);
// Display the form in the page in an li, before the "Add a tag" link li
var $newFormLi = $('<li></li>').append(newForm);
$newLinkLi.before($newFormLi);
}
注解
It is better to separate your JavaScript in real JavaScript files than to write it inside the HTML as is done here.
Now, each time a user clicks the Add a tag
link, a new sub form will
appear on the page. When the form is submitted, any new tag forms will be converted
into new Tag
objects and added to the tags
property of the Task
object.
参见
You can find a working example in this JSFiddle.
To make handling these new tags easier, add an “adder” and a “remover” method
for the tags in the Task
class:
// src/Acme/TaskBundle/Entity/Task.php
namespace AcmeTaskBundleEntity;
// ...
class Task
{
// ...
public function addTag(Tag $tag)
{
$this->tags->add($tag);
}
public function removeTag(Tag $tag)
{
// ...
}
}
Next, add a by_reference
option to the tags
field and set it to false
:
// src/Acme/TaskBundle/Form/Type/TaskType.php
// ...
public function buildForm(FormBuilderInterface $builder, array $options)
{
// ...
$builder->add('tags', 'collection', array(
// ...
'by_reference' => false,
));
}
With these two changes, when the form is submitted, each new Tag
object
is added to the Task
class by calling the addTag
method. Before this
change, they were added internally by the form by calling $task->getTags()->add($tag)
.
That was just fine, but forcing the use of the “adder” method makes handling
these new Tag
objects easier (especially if you’re using Doctrine, which
you will learn about next!).
警告
You have to create both addTag
and removeTag
methods,
otherwise the form will still use setTag
even if by_reference
is false
.
You’ll learn more about the removeTag
method later in this article.
The next step is to allow the deletion of a particular item in the collection. The solution is similar to allowing tags to be added.
Start by adding the allow_delete
option in the form Type:
// src/Acme/TaskBundle/Form/Type/TaskType.php
// ...
public function buildForm(FormBuilderInterface $builder, array $options)
{
// ...
$builder->add('tags', 'collection', array(
// ...
'allow_delete' => true,
));
}
Now, you need to put some code into the removeTag
method of Task
:
// src/Acme/TaskBundle/Entity/Task.php
// ...
class Task
{
// ...
public function removeTag(Tag $tag)
{
$this->tags->removeElement($tag);
}
}
The allow_delete
option has one consequence: if an item of a collection
isn’t sent on submission, the related data is removed from the collection
on the server. The solution is thus to remove the form element from the DOM.
First, add a “delete this tag” link to each tag form:
jQuery(document).ready(function() {
// Get the ul that holds the collection of tags
$collectionHolder = $('ul.tags');
// add a delete link to all of the existing tag form li elements
$collectionHolder.find('li').each(function() {
addTagFormDeleteLink($(this));
});
// ... the rest of the block from above
});
function addTagForm() {
// ...
// add a delete link to the new form
addTagFormDeleteLink($newFormLi);
}
The addTagFormDeleteLink
function will look something like this:
function addTagFormDeleteLink($tagFormLi) {
var $removeFormA = $('<a href="#">delete this tag</a>');
$tagFormLi.append($removeFormA);
$removeFormA.on('click', function(e) {
// prevent the link from creating a "#" on the URL
e.preventDefault();
// remove the li for the tag form
$tagFormLi.remove();
});
}
When a tag form is removed from the DOM and submitted, the removed Tag
object
will not be included in the collection passed to setTags
. Depending on
your persistence layer, this may or may not be enough to actually remove
the relationship between the removed Tag
and Task
object.