我有一个Comment实体(用于用户评论),我想在旧实体中添加一个新功能(Commentable).
我创建了一个特征Commentable:
trait Commentable
{
/**
* List of comments
*
* @var Comment[]|ArrayCollection
*
* @ORM\OneToMany(targetEntity="Comment")
*/
protected $comments;
/**
* Constructor
*/
public function __construct()
{
$this->comments = new ArrayCollection();
}
/**
* Get Comments
*
* @return Comment[]|ArrayCollection
*/
public function getComments()
{
return $this->comments;
}
/**
* Add comment to the entity
*
* @param Comment $comment
*/
public function addComment(Comment $comment)
{
$this->comments->add($comment);
}
}
在旧实体中,我会执行以下操作:
class Image
{
use Commentable {
Commentable::__construct as private __commentableConstruct;
}
/** some stuff **/
}
Comment类如下所示:
class Comment
{
/**
* Identifier
*
* @var int
*
* @ORM\Id
* @ORM\Column(type="integer")
* @ORM\GeneratedValue(strategy="IDENTITY")
*/
protected $id;
/**
* Comment owner
*
* @var User
*
* @ORM\ManyToOne(targetEntity="User", inversedBy="comments")
* @ORM\JoinColumn(name="user_id", referencedColumnName="id")
*/
protected $user;
/**
* Comment content
*
* @var string
*
* @ORM\Column(type="text")
*/
protected $content;
/**
* @var Image
*
* @ORM\ManyToOne(targetEntity="Image", inversedBy="comments")
*/
protected $image;
/** all the classes using Commentable **/
/** some stuff */
}
我认为这个主意还不错.我可以创建新的行为并将其轻松添加到实体中.
但是我不喜欢Comment实体上的想法.使用commentable特性添加所有类不是’usefull’.
我收到此错误…但是我不知道如何使用特征来解决该问题:
OneToMany mapping on field 'comments' requires the 'mappedBy' attribute.
解决方法:
我使用解决了问题
trait Commentable
{
/**
* List of comments
*
* @var Comment[]|ArrayCollection
*
* @ORM\ManyToMany(targetEntity="XXXX\Entity\Comment")
* @ORM\OrderBy({"createdAt" = "DESC"})
*/
protected $comments;
/**
* Constructor
*/
public function __construct()
{
$this->comments = new ArrayCollection();
}
/**
* Get Comments
*
* @return Comment[]|ArrayCollection
*/
public function getComments()
{
return $this->comments;
}
/**
* Add comment to the entity
*
* @param Comment $comment
*/
public function addComment(Comment $comment)
{
$this->comments->add($comment);
}
}