我有一对多关系中的城市和选民实体。我想将实体字段(下拉列表中的数千条记录)转换为文本输入,这样我就可以在用户开始输入2个字母时实现JQuery自动完成功能几乎两周后,我成功创建了DataTransformer,它将实体字段转换为文本输入。现在我的问题是我还在学习JQuery / Ajax,我很困惑如何在Symfony2表单中实现它。
//formtype.php
private $entityManager;
public function __construct(ObjectManager $entityManager)
{
$this->entityManager = $entityManager;
}
$builder
->add('address', null, array(
'error_bubbling' => true
))
->add('city', 'text', array(
'label' => 'Type your city',
//'error_bubbling' => true,
'invalid_message' => 'That city you entered is not listed',
))
$builder->get('city')
->addModelTransformer(new CityAutocompleteTransformer($this->entityManager));
//datatransformer.php
class CityAutocompleteTransformer implements DataTransformerInterface
{
private $entityManager;
public function __construct(ObjectManager $entityManager)
{
$this->entityManager = $entityManager;
}
public function transform($city)
{
if (null === $city) {
return '';
}
return $city->getName();
}
public function reverseTransform($cityName)
{
if (!$cityName) {
return;
}
$city = $this->entityManager
->getRepository('DuterteBundle:City')->findOneBy(array('name' => $cityName));
if (null === $city) {
throw new TransformationFailedException(sprintf('There is no "%s" exists',
$cityName
));
}
return $city;
}
}
// Controller.php这样
public function createAction(Request $request)
{
$entity = new Voters();
$form = $this->createCreateForm($entity);
$form->handleRequest($request);
$validator = $this->get('validator');
$errors = $validator->validate($entity);
if ($form->isValid()) {
$em = $this->getDoctrine()->getManager();
$em->persist($entity);
$em->flush();
$this->addFlash('danger', 'You are successfully added!, Welcome to the growing Supporters, dont forget to share and invite this to your friends and relatives, click share buttons below, have a magical day!');
//return $this->redirect($this->generateUrl('voters_show', array('id' => $entity->getId())));
return $this->redirect($this->generateUrl('voters_list'));
} else {
$this->addFlash('danger', 'Oppss somethings went wrong, check errors buddy!');
return $this->render('DuterteBundle:Voters:neww.html.twig', array(
'entity' => $entity,
'form' => $form->createView(),
));
}
}
/**
* Creates a form to create a Voters entity.
*
* @param Voters $entity The entity
*
* @return \Symfony\Component\Form\Form The form
*/
private function createCreateForm(Voters $entity)
{
$entityManager = $this->getDoctrine()->getManager();
$form = $this->createForm(new VotersType($entityManager), $entity, //here i passed the entity manager to make it work
array(
'action' => $this->generateUrl('voters_create'),
'method' => 'POST',
));
$form->add('submit', 'submit', array(
'label' => 'I Will Vote Mayor Duterte'
));
return $form;
}
使用此代码,我可以成功创建一个新选民,并在用户输入的城市名称与数据库中已保存的城市名称不匹配时抛出验证错误(form_type中的invalid_message)。我现在缺少的是我想要的当用户输入至少两个字母时实现JQuery自动完成
Twig部分
//twig.php
{{ form_start(form, {attr: {novalidate: 'novalidate'}} ) }}
{{ form_errors(form) }}
{{ form_row(form.comments,{'attr': {'placeholder': 'Why You Want '}}) }}
{{ form_row(form.email,{'attr': {'placeholder': 'Email is optional, you may leave it blank.But if you want to include your email, make sure it is your valid email '}}) }}
{{ form_end(form) }}
正如您所看到的,表单本身由许多字段组成,除了城市字段。这里,城市字段是一个下拉列表,包含来自数据库的一千多个条目。我可以成功地将此下拉列表转换为文本字段使用DataTransformer。所以这里的问题是如何在这个包含许多字段的表单中实现JQuery Autocomplete。
感谢任何帮助
更新
根据用户Frankbeen的回答,我在控制器中添加了一个动作
public function autocompleteAction(Request $request)
{
$names = array();
$term = trim(strip_tags($request->get('term')));
$em = $this->getDoctrine()->getManager();
$entities = $em->getRepository('DuterteBundle:City')->createQueryBuilder('c')
->where('c.name LIKE :name')
->setParameter('name', '%'.$term.'%')
->getQuery()
->getResult();
foreach ($entities as $entity)
{
$names[] = $entity->getName()."({$entity->getProvince()})";
}
$response = new JsonResponse();
$response->setData($names);
return $response;
}
还有js文件
{% block javascripts %}
{{ parent() }}
<script src="//code.jquery.com/ui/1.10.3/jquery-ui.js"></script>
<script>
$(function() {
function log( message ) {
$( "<div>" ).text( message ).prependTo( "#log" );
$( "#log" ).scrollTop( 0 );
}
$( "#project_bundle_dutertebundle_voters_city").autocomplete({
source: "{{ path('city_autocomplete') }}",
minLength: 2,
select: function( event, ui ) {
log( ui.item ?
"Selected: " + ui.item.value + " aka " + ui.item.id :
"Nothing selected, input was " + this.value );
}
});
});
</script>
{% endblock %}
在这种情况下,
$( "#project_bundle_dutertebundle_voters_city").autocomplete({
部分实际上是Symfony2在呈现表单时提供的城市字段的默认ID。现在JQuery自动完成工作正常,但问题是,我无法保存所选选项,我在FormType.php中创建的invalid_message验证被触发以及单击“提交”按钮时的JQuery脚本
选择:Basista(Pangasinan省)又名未定义
表示所选值的Id未定义
$( "#project_bundle_dutertebundle_voters_city").autocomplete({
source: "{{ path('city_autocomplete') }}",
minLength: 2,
select: function( event, ui ) {
log( ui.item ?
"Selected: " + ui.item.value + " aka " + ui.item.id ://this throw undefined
"Nothing selected, input was " + this.value );
}
});
答案 0 :(得分:6)
First you have to start creating a route and action that returns json data. JQuery's autocomplete remote gives you a $_GET variabele with the index 'term' and wants to receive JSON back. Here is an example that uses an Entity with the name City and a property $name
namespace AppBundle\Controller;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Component\HttpFoundation\JsonResponse;
/**
* City controller.
*
* @Route("/city")
*/
class CityController extends Controller
{
/**
* @Route("/autocomplete", name="city_autocomplete")
*/
public function autocompleteAction(Request $request)
{
$names = array();
$term = trim(strip_tags($request->get('term')));
$em = $this->getDoctrine()->getManager();
$entities = $em->getRepository('AppBundle:City')->createQueryBuilder('c')
->where('c.name LIKE :name')
->setParameter('name', '%'.$term.'%')
->getQuery()
->getResult();
foreach ($entities as $entity)
{
$names[] = $entity->getName();
}
$response = new JsonResponse();
$response->setData($names);
return $response;
}
}
Secondary you can make a twig view just like the source from jQuery's autocomplete. The only difference is the source variable in the autocomplete() function . There you have to specify te twig's path() function with your route key eg city_autocomplete.
(This view needs another route and another (normal) action.)
<!doctype html>
<html lang="en">
<head>
<meta charset="utf-8">
<title>jQuery UI Autocomplete - Remote datasource</title>
<link rel="stylesheet" href="//code.jquery.com/ui/1.11.4/themes/smoothness/jquery-ui.css">
<script src="//code.jquery.com/jquery-1.10.2.js"></script>
<script src="//code.jquery.com/ui/1.11.4/jquery-ui.js"></script>
<link rel="stylesheet" href="/resources/demos/style.css">
<style>
.ui-autocomplete-loading {
background: white url("images/ui-anim_basic_16x16.gif") right center no-repeat;
}
</style>
<script>
$(function() {
function log( message ) {
$( "<div>" ).text( message ).prependTo( "#log" );
$( "#log" ).scrollTop( 0 );
}
$( "#birds" ).autocomplete({
source: "{{ path('city_autocomplete') }}",
minLength: 2,
select: function( event, ui ) {
log( ui.item ?
"Selected: " + ui.item.value + " aka " + ui.item.id :
"Nothing selected, input was " + this.value );
}
});
});
</script>
</head>
<body>
<div class="ui-widget">
<label for="birds">Birds: </label>
<input id="birds">
</div>
<div class="ui-widget" style="margin-top:2em; font-family:Arial">
Result:
<div id="log" style="height: 200px; width: 300px; overflow: auto;" class="ui-widget-content"></div>
</div>
</body>
</html>
And finaly you can slightly change this view and use your own form.
答案 1 :(得分:1)
最后,在深入研究我的Symfony代码后,我终于找到了解决方案。使用用户Frankbeen提供的代码,我添加了一些&#39; tweak&#39;为了让JQuery最终工作。罪魁祸首在控制器中。
$names[] = $entity->getName()."({$entity->getProvince()})";
城市实体与省实体有一对多关系。由于城市实体有数千个名称(记录),因此某些值具有相同的名称,因此附加相关省有助于避免用户混淆
旧金山(俄罗斯省), 旧金山(中国省),旧金山(葡萄牙省)
现在因为现在名字不同而且#39;在已经保存在数据库中的名称中,invalid_message验证将触发错误。我的解决方案是清理&#39;在将用户提交的值与数据库中的值进行比较之前,通过删除附加的省来提交数据。 在DataTransformer中,我添加了一些代码
public function reverseTransform($cityNameConcat)
{
$cityName = preg_replace("/\([^)]+\)/", "", $cityNameConcat);
if (!$cityName) {
return;
}
$city = $this->entityManager
->getRepository('DuterteBundle:City')->findOneBy(array('name' => $cityName));
if (null === $city) {
throw new TransformationFailedException(sprintf('There is no "%s" exists',
$cityName
));
}
return $city;
}
现在JQuery终于正常工作并且保存到数据库也很成功。最后,
$( "#project_bundle_dutertebundle_voters_city").autocomplete({
source: "{{ path('city_autocomplete') }}",
minLength: 2,
select: function( event, ui ) {
log( ui.item ?
"Selected: " + ui.item.value + " aka " + ui.item.id ://this throw undefined
"Nothing selected, input was " + this.value );
}
});
更改为
<script>
$(function() {
function log( message ) {
$( "<div>" ).text( message ).prependTo( "#log" );
$( "#log" ).scrollTop( 0 );
}
$( "#project_bundle_dutertebundle_voters_city").autocomplete({
source: "{{ path('city_autocomplete') }}",
minLength: 2,
select: function( event, ui ) {
log( ui.item ?
"Selected: " + ui.item.value + " aka " + ui.item.label:
"Nothing selected, input was " + this.value );
$("#project_bundle_dutertebundle_voters_city").val(ui.item.label);
$("#project_bundle_dutertebundle_voters_city").val(ui.item.value);
return false;
},
change: function( event, ui ) {
$( "#project_bundle_dutertebundle_voters_city" ).val( ui.item? ui.item.value : 0 );
}
});
});
</script>
现在&#39; Undefined&#39;错误消失了。
答案 2 :(得分:0)
这是一个解决方案,用于添加有关Symfony控制器给出的响应的字段。 成功通过返回对象添加所需的字段。 然后,在select中,您可以通过ui.item.fields
访问它
$('#mySelector').autocomplete({
source : function(requete, reponse) {
lettre = {
lettre: $('#lettre').val()
};
$.ajax({
url: Routing.generate('chargementSource'),
dataType: 'json',
data : lettre,
success: function (donnee) {
reponse(
$.map(donnee, function (objet) {
return {
value: '' + objet.nom + ' ' + objet.prenom +', '+ objet.adresse +' '+ objet.codepostal +', '+ objet.ville + '',
id: objet.id
}
})
);
}
});
},
select: function (event, ui) {
$('#myId').val(ui.item.id);
//alert(ui.item.id);
//$('#myId').val(ui.elem.value);
return false;
}
});
&#13;