我的树枝模板中有一个删除链接,我想知道是否有 Symfony2 显示确认对话框的方式。
我知道 JQuery 可以做到这一点,但也许 symfony 有他自己的“做事方式”。
谢谢你。
只需confirm
在删除链接上使用 javascript 功能
<a href="{{ path('delete_route', {csrf:...}) }}" onclick="return confirm('are u sure?')">delete</a>
我知道这个话题有点老了,但我在删除对象之前使用了另一种方式来显示确认消息。
我认为与寻找 javascript 之外的其他解决方案的人分享是很有趣的。
它有点复杂,或者至少比上述解决方案更长。
首先,我将这些操作添加到我的控制器中
public function confirmAction(Capteur $myobject) {
// check my object exist
if (!$myobject) {
// throw error
} else {
// you can pass information about your object to the confirmation message
$myobjectInfo = array(
'yes' => 'path_if_confirm', // path to the deleteAction, required
'no' => 'path_if_dont_confirm', // path if cancel delete, required
// put any information here. I used type, name and id
// but you can add what you want
'type' => 'mytype',
'id' => $myobject->getId(), // required for deleteAction path
'name' => $myobject->getName()
);
// add informations to session variable
$this->get('session')->set('confirmation',$myobjectInfo);
return $this->redirect($this->generateUrl('confirmation_template_path'));
}
}
public function deleteAction(MyType $myobject) {
if (!$myobject) {
// throw exception
} else {
$request = $this->get('request');
if ($request->getMethod() == 'POST') {
$em = $this->getDoctrine()->getManager();
$em->remove($myobject);
$em->flush();
$this->get('session')->getFlashBag()->add('success', 'Nice shot.');
} else {
// you can do something here if someone type the direct delete url.
}
}
return $this->redirect($this->generateUrl('where_you_want_to_go'));
}
因此,在带有对象列表的模板中,我将删除按钮指向confirmAction。
然后在confirmation_template(或者在我的情况下在上父模板layout.hml.twig中)我添加这个
{% if app.session.get('confirmation') is defined and app.session.get('confirmation') is not null %}
<div>
<p>
put your message here. You can use information passed to the session variable {{ app.session.get('confirmation').type }} {{ app.session.get('confirmation').name }} {{ app.session.get('confirmation').id }} etc..
</p>
<form method="post" action="{{ path(app.session.get('confirmation').yes,{'id':app.session.get('confirmation').id }) }}">
<button type="submit" class="btn red">confirm and delete</button>
<a href="{{ path(app.session.get('confirmation').no) }}" class="btn blue">Cancel</a>
</form>
</div>
# put confirmation variable to null, to disable the message after this page #
{{ app.session.set('confirmation',null) }}
{% endif %}
我将这些树枝代码放在我的上层模板中,以便将消息重用于我想要的任何对象。如果我想删除另一种类型的对象,我只需使用传递给会话变量的信息来自定义消息和路径。如果您转到直接 url,您的对象将不会被删除。
我不知道这是否是最好的方法。您的建议将不胜感激。
谢谢。