在单个字段下映射多个实体

问题描述 投票:0回答:1

是否可以在一个实体中将单个字段绑定到多个不同的实体?

我有一个“任务”实体,可以与客户实体或供应商实体(两者均不相关)相关联。现在,两个字段都是分开的。

我需要在我的TaskType表单中使用它,以便用户可以选择与该任务关联的客户/供应商,最好是在单个字段下,因为我计划添加更多可以与其关联的实体。

/**
 * @ORM\ManyToOne(targetEntity="App\Entity\Customer", inversedBy="tasks")
 */
private $customer;
/**
 * @ORM\ManyToOne(targetEntity="App\Entity\Supplier", inversedBy="tasks")
 */
private $supplier;

public function getCustomer(): ?Customer
{
    return $this->customer;
}
public function setCustomer(?Customer $customer): self
{
    $this->customer = $customer;
    return $this;
}
public function getSupplier(): ?Supplier
...etc
symfony doctrine-orm doctrine symfony4
1个回答
2
投票

也许您可以尝试以下方法:

[理想情况下,我想您想在CustomerSupplier之间共享信息。因此,我们可以引入一个新的父类,例如Person(我不知道他们的职责是什么,因此我们将使用最“通用”的类名),并使用Doctrine inheritance mapping

<?php

namespace App\Entity;

use Doctrine\ORM\Mapping as ORM;

/**
 * @ORM\Entity
 * @ORM\InheritanceType("JOINED")
 * @ORM\DiscriminatorColumn(name="discr", type="string")
 * @ORM\DiscriminatorMap({
 *  "customer" = "Customer",
 *  "supplier" = "Supplier"
 * })
 */
abstract class Person
{
  //... Fields, traits, embeddables...

  /**
   * A common attribute between our child classes
   * protected to respect encapsulation
   * 
   * @ORM\Column(type="text")
   */
  protected $name;

  /**
   * Here we define the general link to a task. It will be inherited by child classes
   *
   * @ORM\OneToMany(targetEntity="App\Entity\Task", mappedBy="assignedTo")
   */
  protected $tasks;

  // public getters/setters...
}

我认为Class table inheritance strategy可以满足您的需求,因为您以后想添加更多实体。这样,我们可以尊重Open-closed principle并在以后添加更多的子类,而不必只修改一个类中的逻辑。

而且,由于我们通常想处理PersonCustomer实例,所以我使Supplier类抽象化。但是根据您的需要,也许您可​​以删除abstract关键字。在这种情况下,您必须将Person包含在鉴别符映射中。

当然,现在CustomerSupplier都必须扩展Person

//...
class Customer extends Person
//...

//...
class Supplier extends Person
//...

[不要忘记从子类中删除共享字段(例如,像id),现在它将继承自Person

因此,在任务中,您可以定义与ManyToOnePerson关系:

/**
 * @ORM\ManyToOne(targetEntity="App\Entity\Person", inversedBy="tasks")
 */
private $assignedTo;

最后,对于您的任务表,让我们有一个列出所有人员姓名的选择列表:

<?php

namespace App\Form;

use App\Entity\Person;
use App\Entity\Task;
use Symfony\Bridge\Doctrine\Form\Type\EntityType;
use Symfony\Component\Form\AbstractType;
use Symfony\Component\Form\FormBuilderInterface;
use Symfony\Component\OptionsResolver\OptionsResolver;

class TaskType extends AbstractType
{
  public function buildForm(FormBuilderInterface $builder, array $options)
  {
    $builder
      // other task fields
      ->add('assignedTo', EntityType::class, [
        'class' => Person::class,
        'choice_label' => 'name',
      ]);
  }

  public function configureOptions(OptionsResolver $resolver)
  {
    $resolver->setDefaults([
      'data_class' => Task::class,
    ]);
  }
}

它将选择所有人员,而不管其类型。然后可以在其他子类中扩展它!我希望这会有所帮助。

© www.soinside.com 2019 - 2024. All rights reserved.