[设置]
Projet
实体(下方)的的src /的appbundle /实体/ Projet.php
class Projet {
/**
* @var int
*
* @ORM\Column(name="id", type="integer")
* @ORM\Id
* @ORM\GeneratedValue(strategy="AUTO")
*/
private $id;
/**
* @var string
*
* @ORM\Column(name="titre", type="string", length=50)
*/
private $titre;
/**
* @var \DateTime
*
* @ORM\Column(name="creation", type="datetime")
*/
private $creation;
/**
* @var \DateTime
*
* @ORM\Column(name="modification", type="datetime")
*/
private $modification;
/**
* @var
*
* @ORM\ManyToOne(targetEntity="AppBundle\Entity\User", inversedBy="projet")
* @ORM\JoinColumn(nullable=false)
*/
private $user;
/**
* @ORM\PrePersist
* @ORM\PreUpdate
*/
public function updatedTimestamps() {
$this->setModification(new \DateTime());
if($this->getCreation() == null) {
$this->setCreation(new \DateTime());
$this->setSupprime(false);
}
}
}
[问题]
按原样,我在creation
/ modification
设置PrePersit
和PreUpdate
。
我还想设置当前登录用户的ID,我该怎么办?
答案 0 :(得分:1)
我认为你必须在订阅者中这样做,听取prepersist和preupdate教义事件。 您可以通过注入security.token_storage服务
来获取当前用户答案 1 :(得分:1)
为此,您需要有权访问security.token_storage
服务并致电$tokenStorage->getToken()->getUser()
以检索当前用户。由于不建议将服务注入实体,因此您应该按照this section of the doctrine documentation中的描述创建实体侦听器。
然后,通过将您的实体侦听器声明为服务并将security.token_storage
添加到其构造函数参数中(在services.yml
中):
listener.projet:
class: AppBundle\Listener\ProjetListener
arguments: [ "@security.token_storage" ]
tags:
- { name: doctrine.orm.entity_listener, lazy: true }
您可以在prePersist
和preUpdate
方法中访问当前登录的用户。
编辑:以下是您的听众应该是这样的
的appbundle /监听器/ ProjetListener.php
namespace AppBundle\Listener;
use Symfony\Component\Security\Core\Authentication\Token\Storage\TokenStorage;
use Doctrine\ORM\Event\LifecycleEventArgs;
use Doctrine\ORM\Event\PreUpdateEventArgs;
use AppBundle\Entity\Projet;
class ProjetListener
{
private $tokenStorage;
public function __construct(TokenStorage $tokenStorage)
{
$this->tokenStorage = $tokenStorage;
}
public function prePersist(Projet $projet, LifecycleEventArgs $args)
{
// Assigning the current user to the Projet instance being persisted
$projet->setUser($this->tokenStorage->getToken()->getUser());
/* .. other actions of prePersist .. */
}
public function preUpdate(Projet $projet, PreUpdateEventArgs $args)
{
/* .. actions of preUpdate .. */
}
}