ArrayCollection中实体的存储库方法



因此,我们有两个实体。一个有存储库,另一个没有。当我们试图从另一个表中获取数据时,我们将获得ArrayCollection数据。问题是如何调用此实体存储库方法?这是真的吗?

示例:

    $system = $this
            ->getDoctrine()
            ->getEntityManager()
            ->getRepository('SomeBundle:FirstEntity')
            ->findOneByColumnID($id);
    $den = $system->getDataFromSecondTable(); // ArrayCollection of SecondEntity

然后我想使用某种:

    $den[0]->functionFromSecondEntityRepository();

因此,方法"functionFromSecondEntityRepository"在类SecondEntity的Repository中,我不能调用它-未定义的方法调用"functionFromSecondEntityRepository"时出错。

那个么我怎样才能以正确的方式去做呢?

您没有提供太多详细信息,所以我将在这里举一些例子。

假设您有一个实体FriendsList和一个与实体FriendOne-to-Many关系。

$List = $this->getDoctrine()
                ->getEntityManager()
                ->getRepository('SomeBundle:FriendsList')
                ->find($id);
// The list you pulled in by ID can now be used
$List->getId();
foreach($List->getFriends() as $Friend)
{
    // Each friend will be output here, you have access
    // to the Friend methods now for each.
    $Friend->getId();
    $Friend->getFirstName();
    $Friend->getLastName();
    $Friend->getDOB();
    $Friend->getFavoriteColor();
}

默认情况下,当您创建关系时,会创建一个获取集合的方法,在本例中为getFriends,它返回一个实体数组。生成实体后,查看实体模型以查看哪些方法可用。默认情况下,将为实体中的每个属性创建一个属性,并为"集合"创建其他属性。

SomeCool/Bundle/Entity/FriendsList
Somecool/Bundle/Entity/Friend

以下是如果使用YAML配置,一对多关系的样子。

SomeCoolBundleEntityFriendsList:
  type: entity
  table: null
  oneToMany:
    friend:
      targetEntity: Friend
      mappedBy: friendslist
      cascade:  ["persist"]
SomeCool/Bundle/Entity/Friend
  manytoOne:
    friends:
      targetEntity: FriendsList
      mappedBy: friend
      cascade:  ["persist"]

访问存储库

YAML配置(services.yml(

somebundle.bundle.model.friends:
    class: SomeBundle/Bundle/Model/Friends
    arguments: [@doctrine.orm.entity_manager]

在控制器上

$friendsModel = $this->get('somebundle.bundle.model.friends');
$Friends = $friendsModel->findByFirstName('Bobby');
foreach($Friends as $Friend)
{
    $Friend->getLastName();
}

实体中不提供存储库方法。您需要AnotherEntity中的一个函数来获取ArrayCollection。IE:

class FirstEntity {
   public function getAnotherEntity()
   {
       return $this->anotherEntity;
   }
}
class AnotherEntity 
{
   public function getArrayCollection()
   {
       return $this->myArrayCollection;
   }
}
$firstEntity->getAnotherEntity()->getArrayCollection();

另一种选择是根据第一个的结果获得AnotherEntity的存储库

$system = $this
        ->getDoctrine()
        ->getEntityManager()
        ->getRepository('SomeBundle:SomeEntity')
        ->findOneByColumnID($id);
$anotherEntity = $system->getAnotherEntity();
$anotherEntityResult = $this->getDoctrine()
                            ->getRepository(get_class($anotherEntity))
                            ->functionFromAnotherEntityRepository($anotherEntity->getId());

如果使用第二种解决方案,在尝试检索存储库之前,我会确保$anotherEntity不为null。

相关内容

  • 没有找到相关文章

最新更新