我是Symfony的新朋友
我正在使用投票系统,但我想这应该可以工作,
此刻我的控制器功能是,这只会用1vote创建一个新行,而不更新以前创建的任何$ id。
/**
* @Route("/public/{id}/vote", name="poll_vote", methods="GET|POST")
*/
public function vote(Request $request, Poll $poll): Response
{
$inc = 1;
$em = $this->getDoctrine()->getManager();
$entity = new Poll();
$entity->setVotes($inc++);
$em->persist($entity);
$em->flush();
}
return $this->redirectToRoute('poll_public');
}
这是我来自树枝模板的按钮
<a href="{{ path('poll_vote', {'id': poll.id}) }}">
这是我的实体
class Poll
{
/**
* @ORM\Id()
* @ORM\GeneratedValue()
* @ORM\Column(type="integer")
*/
private $id;
/**
* @ORM\Column(type="string", length=255)
*/
private $name;
/**
* @ORM\Column(type="integer", nullable=true)
*/
private $votes;
public function getId(): ?int
{
return $this->id;
}
public function getName(): ?string
{
return $this->name;
}
public function setName(string $name): self
{
$this->name = $name;
return $this;
}
public function getVotes(): ?int
{
return $this->votes;
}
public function setVotes(?int $votes): self
{
$this->votes = $votes;
return $this;
}
}
我不知道如何匹配实体中的getID和@Route中的$ id。
任何指导或建议将不胜感激。
谢谢
编辑:
在Arne回答后使用正确的功能更新:
/**
* @Route("/public/{id}", name="poll_vote", methods="GET|POST")
*/
public function vote($id)
{
$entityManager = $this->getDoctrine()->getManager();
$poll = $entityManager->getRepository(Poll::class)->find($id);
if (!$poll) {
throw $this->createNotFoundException(
'No polls found for id '.$id
);
}
$poll->setVotes($poll->getVotes()+1);
$entityManager->flush();
return $this->redirectToRoute('poll_public', [
'id' => $poll->getId()
]);
}
答案 0 :(得分:1)
基本上,您必须从请求中获取ID,查询Entitty信息库以获取投票实体,更新投票并将其保留回数据库。
从您的请求中获取ID
$ id = $ request-> query-> get('id');
查询存储库:
$ entityManager = $ this-> getDoctrine()-> getManager();
$ poll = $ entityManager-> getRepository(Poll :: class)-> find($ id);
更新投票:
$ poll-> setVotes($ poll-> getVotes()+ 1);
坚持到数据库:
$ entityManager-> persist($ poll);
$ entityManager-> flush();
或者,您也可以使用ParamConverter让Symfony为您获取Poll对象。在Doctrine Guide中可以找到有关更新对象的更多信息。
请注意,您的路由将仅与现有民意测验匹配,因为id是URL中的必需参数。您可能会添加没有ID的另一条路由,该路由用于创建新的Poll实体。