使用Doctrine在Symfony3中实现朋友关系

时间:2016-06-13 18:56:40

标签: doctrine-orm symfony

根据帖子Implementing a friends list in Symfony2.1 with Doctrine, 我实施了@Roberto Trunfio的解决方案。

/**
 * @ORM\ManyToMany(targetEntity="User", mappedBy="friends")
 */
private $friendsWithMe;

/**
 * @ORM\ManyToMany(targetEntity="User", inversedBy="friendsWithMe")
 * @ORM\JoinTable(name="friends",
 *      joinColumns={@ORM\JoinColumn(name="user_id", referencedColumnName="id")},
 *      inverseJoinColumns={@ORM\JoinColumn(name="friend_user_id", referencedColumnName="id")}
 *      )
 */
private $friends;

它有效,但我想进一步增加额外的字段,如'发件人,接收者,状态,发送日期......'但我不知道如何整合它。有人可以帮帮我吗?感谢

1 个答案:

答案 0 :(得分:4)

如果要使用其他属性修饰关联,则需要一个关联类。 From the documentation(向下滚动一下):

  

为什么多对多关联不太常见?因为经常要将其他属性与关联关联,所以在这种情况下引入关联类。因此,直接的多对多关联消失,并被3个参与类之间的一对多/多对一关联所取代。

示例中的关联类是 friendship 。用户可以拥有许多朋友,用户可以是许多用户的朋友。或者更具技术性:用户有许多友谊,许多友谊映射到朋友。在下面给出的示例中,Friendship具有附加属性$hasBeenHelpful(确实是不对称的)。

// src/AppBundle/Entity/User.php
/**
 * @ORM\Entity
 */
class User
{
    /**
     * @ORM\Column(type="integer")
     * @ORM\Id
     * @ORM\GeneratedValue(strategy="AUTO")
     */
    private $id;

    /**
     * @ORM\Column(type="string")
     */
    private $name;

    /**
     * The people who I think are my friends.
     *
     * @ORM\OneToMany(targetEntity="Friendship", mappedBy="user")
     */
    private $friends;

    /**
     * The people who think that I’m their friend.
     *
     * @ORM\OneToMany(targetEntity="Friendship", mappedBy="friend")
     */
    private $friendsWithMe;

    // …
}

友谊协会:

// src/AppBundle/Entity/Friendship.php
/**
 * @ORM\Entity
 */
class Friendship
{
    /**
     * @ORM\ManyToOne(targetEntity="User", inversedBy="friends")
     * @ORM\Id
     */
    private $user;

    /**
     * @ORM\ManyToOne(targetEntity="User", inversedBy="friendsWithMe")
     * @ORM\Id
     */
    private $friend;

    /**
     * Example of an additional attribute.
     *
     * @ORM\Column(type="boolean")
     */
    private $hasBeenHelpful;

    // …
}

您可能希望向User类添加一些函数,例如

<?php

use Doctrine\Common\Collections\ArrayCollection;

class User
{
    public function __construct()
    {
        $this->friends = new ArrayCollection();
        $this->friendsWithMe = new ArrayCollection();
    }

    public function addFriendship(Friendship $friendship)
    {
        $this->friends->add($friendship);
        $friendship->friend->addFriendshipWithMe($friendship);
    }

    public function addFriendshipWithMe(Friendship $friendship)
    {
        $this->friendsWithMe->add($friendship);
    }

    public function addFriend(User $friend)
    {
        $fs = new Friendship();
        $fs->setUser($this);
        $fs->setFriend($friend);
        // set defaults
        $fs->setHasBeenUseful(true);

        $this->addFriendship($fs);
    }
}