- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在现有的 MySQL 数据库之上构建一个 Symfony 2/Doctrine 2 应用程序。由于过去的错误决定,我坚持使用在表列中串联的引用。不幸的是,重构数据库不是一种选择。
例如引用多个“类别”的实体“产品”:
| id | name | category_ids |
|----|-----------|--------------|
| 1 | product a | 1,2,5 |
| 2 | product b | 3,4,1 |
| 3 | product c | 2 |
我希望在我的“产品”实体中使用 getCategories
方法,它会返回类别对象的集合。
有什么方法可以用 Doctrine 实现这个目标吗?
也许使用基于“FIND_IN_SET”的自定义代码?
SELECT c.*
FROM product p
LEFT OUTER JOIN category c ON FIND_IN_SET(c.id, p.category_ids)
WHERE p.id=:product_id;
或者定义与分解值的关联?
explode(',',$this->category_ids)
我尽量避免每次需要从我的产品实体中检索类别时都必须使用 EntityManager。因为:
最佳答案
您可以为您的 getCategories
方法制定一个水化策略,并在您的水化器类中注册该策略(甚至可以是 DoctrineObject
水化器)。像这样的东西:
策略
<?php
namespace My\Hydrator\Strategy;
use Doctrine\Common\Collections\ArrayCollection;
use My\Entity\Category;
use Doctrine\Common\Persistence\ObjectManager;
use DoctrineModule\Persistence\ObjectManagerAwareInterface;
use Zend\Stdlib\Hydrator\Strategy\StrategyInterface;
class CategoriesStrategy implements StrategyInterface, ObjectManagerAwareInterface
{
/**
* @var ObjectManager
*/
protected $objectManager;
/**
* @param ObjectManager $objectManager
* @param String $hostName
*/
public function __construct(ObjectManager $objectManager)
{
$this->objectManager = $objectManager;
}
/**
* @param array $value
* @return ArrayCollection
*/
public function extract($value)
{
$collection = new ArrayCollection();
if (is_array($value)) {
foreach ($value as $id) {
$category = $this->getObjectManager()->find(Category::class, $id);
$collection->add($category);
}
}
return $collection;
}
/**
* @param ArrayCollection $value
* @return array
*/
public function hydrate($value)
{
$array = array();
/** @var Category $category */
foreach ($value as $category) {
$array[] = $category->getId();
}
return $array;
}
/**
* @param ObjectManager $objectManager
* @return $this
*/
public function setObjectManager(ObjectManager $objectManager)
{
$this->objectManager = $objectManager;
return $this;
}
/**
* @return ObjectManager
*/
public function getObjectManager()
{
return $this->objectManager;
}
}
您可能需要一个工厂来在您的水化器类中注册您的 CategoriesStrategy
:
水龙头工厂
<?php
namespace My\Hydrator;
use Doctrine\Common\Persistence\ObjectManager;
use DoctrineModule\Stdlib\Hydrator\DoctrineObject;
use My\Hydrator\Strategy\CategoriesStrategy;
use Zend\ServiceManager\FactoryInterface;
use Zend\ServiceManager\ServiceLocatorInterface;
use Zend\ServiceManager\ServiceManager;
class MyHydratorFactory implements FactoryInterface
{
/**
* @param ServiceLocatorInterface $serviceLocator
* @return DoctrineObject
*/
public function createService(ServiceLocatorInterface $serviceLocator)
{
/** @var ServiceManager $serviceManager */
$serviceManager = $serviceLocator->getServiceLocator();
/** @var ObjectManager $objectManager */
$objectManager = $serviceManager->get('bc_object_manager');
/** @var DoctrineObject $hydrator */
$hydrator = new DoctrineObject($objectManager);
$hydrator->addStrategy('categories', new CategoriesStrategy($objectManager));
return $hydrator;
}
}
这没有经过测试,但你明白了......
另一种解决方案是为您的类别注册一个 DBAL 类型。您可以在 the Doctrine2 documentation chapter 8.4. Custom Mapping Types 中查看如何执行此操作.
在您的实体列定义中,您指向一个类别类型:
/**
* @var string
* @ORM\Column(type="categories")
*/
protected $categories;
你在教义中注册的魔法是这样的:
'doctrine' => array(
'configuration' => array(
'orm_default' => array(
'types' => array(
'categories' => 'My\DBAL\Types\CategoriesCollection '
)
)
)
)
然后是类本身:
<?php
namespace My\DBAL\Types;
use Doctrine\Common\Collections\ArrayCollection;
use Doctrine\DBAL\Platforms\AbstractPlatform;
use Doctrine\Common\Collections\Collection;
class CategoriesCollection extends \Doctrine\DBAL\Types\Type
{
const NAME = 'categories';
/**
* @return string
*/
public function getName()
{
return self::NAME;
}
/**
* {@inheritdoc}
*/
public function getSQLDeclaration(array $fieldDeclaration, AbstractPlatform $platform)
{
return $platform->getDoctrineTypeMapping('simple_array');
}
/**
* @param Collection $collection
* @param AbstractPlatform $platform
* @return array
*/
public function convertToDatabaseValue($value, AbstractPlatform $platform)
{
$array = [];
foreach($value as $category)
{
$category_id = $category->getId();
array_push($array, $category_id);
}
return $array;
}
/**
* {@inheritdoc}
*/
public function convertToPHPValue($value, AbstractPlatform $platform)
{
$collection = new ArrayCollection();
if ($value === null) {
return $collection;
}
foreach($value as $category_id){
$category = $this->em->getReference('Vendor\Bundle\Entity\Category', $category_id);
$collection->add($category);
}
return $collection;
}
/**
* @var EntityManager
*/
protected $em;
/**
* @param EntityManager $entityManager
*/
public function setEntityManager(EntityManager $entityManager)
{
$this->em = $entityManager;
}
}
此解决方案实际上与其他解决方案相同,只是您使用 Doctrine2 内部实现。您仍然需要在您的 DBAL 类型中注册 EntityManager
并且不确定最简单的方法是什么,所以我留给您。
在 Symfony 中,您可以在 app/config/config.yml 文件中注册自定义映射类型
doctrine:
dbal:
types:
category_ids: Vendor\Bundle\Type\CategoriesCollection
您可以在包的启动序列中注入(inject) EntityManager 依赖项:
<?php
namespace Vendor\Bundle\Bundle;
use Doctrine\DBAL\Types\Type;
use Symfony\Component\HttpKernel\Bundle\Bundle;
use Trilations\TApp\CoreBundle\Type\CategoryCollectionType;
class VendorBundleBundle extends Bundle
{
public function boot()
{
$em = $this->container->get('doctrine.orm.default_entity_manager');
$categoryCollectionType = Type::getType('category_ids');
$categoryCollectionType->setEntityManager($em);
}
}
并将字段映射到正确的自定义映射:
Vendor\Bundle\Enitity\Product
table: product
fields:
categories: category_ids
关于php - 在具有串联 ID 的数据库字段上创建学说关联,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/31140344/
我几乎尝试了所有方法来尝试创建代表我的数据库架构的实体,但仍然存在整页错误。如果有人能给我一些启发,我将不胜感激。 基本上我们有两份注册表,一份用于品牌,一份用于影响者。在每个表单中,我们都会要求您提
我有关于双向 OneToMany ManyToOne 的问题我的实体之间的关系 Device和 Event .这是映射的样子: // Device entity /** * @OR
我有一些具有一对多/多对一关系的实体 - 生产类- /** * @OneToMany(targetEntity="ProductionsKeywords", mappedBy="production
我正在使用 symfony 2.3 和 doctrine 2.2。我创建了一个控制台命令,以便在数据库中插入一些数据。当我尝试用当前日期更新时间列时,我收到此错误 Catchable fata
我想用 limit 做一个 fetchAll() 吗?您知道 symfony2 的实体管理器是否可行吗? 我当前的代码(获取所有,无限制): $repository = $this->getDoctr
客户需要根据需要更改项目的顺序,这意味着我需要一些“顺序”或“顺序”列来保存每个项目的实际位置。 如何使用 Doctrine 2 来实现这一点? 最佳答案 我会使用 Doctrine 的 event
在 Symfony2/Doctrine 中插入记录后触发事件的最佳方法是什么? 最佳答案 首先,将服务注册为 Doctrine 事件监听器: app/config.yml: services:
我很难让这个doctrine2扩展发挥作用。是https://github.com/djlambert/doctrine2-spatial关于如何创建多边形的文档并不多。我已经让配置文件正常工作了,但
我正在尝试对我的 FacebookEventResult 实体执行 native 查询,并创建与我的 FacebookEvent 实体的连接。 FacebookEventResult中的相关映射: /
我使用 SyliusSandbox 包开发商店。Sylius 使用 xml 文件来存储实体的 ORM 模式。 我已经将它的 xml 定义复制到我的 Bundle 中并在那里使用它。 但对于我自己的
客户需要根据需要更改项目的顺序,这意味着我需要一些“顺序”或“顺序”列来保存每个项目的实际位置。 如何使用 Doctrine 2 来实现这一点? 最佳答案 我会使用 Doctrine 的 event
我有以下查询: $em = $this->getEntityManager(); $query = $em->createQueryBuilder()->select('shopp
我定义了两个数据库实体 项目: use Doctrine\ORM\Mapping as ORM; use \Kdyby\Doctrine\Entities\MagicAccessors; /** *
我想要的是得到产品,产品应该是这样的: { idProduct: 1, mainCategory: 1, // One of the categories is the main one.
我使用以下查询: SELECT u.username, u.password, s.name, s.price FROM AcmeBundle:User u LEFT JOIN AcmeBundle:
我做了一些研究来回答它,但我没有找到。 我想知道在以下之间进行选择(加入)的最佳做法是什么: 使用查询生成器? $this->getEntityManager()->createQueryBuilde
我对原则 2 有疑问。我有以下数据库表:因此,Doctrine 生成从站点的桌面设置中检索数据的实体,但我需要从 desk_settings 表中检索所有设置并使用 desk_id 从 desk_se
我有两个实体,用户和客户端,一个客户端可以有很多用户。 通常我想要一个用户实体并延迟加载客户端,但由于某些原因,当我尝试访问其属性时,客户端代理不会自行加载。 如果我像这样转储数据 \Doctrine
我在验证方面遇到问题。在 Doctrine 1 中,我使用了这个: if ($model->isValid()) { $model->save(); } else { $errorSt
我将以下实体映射到 Doctrine 2 : class Zone { /** * @ManyToOne(targetEntity="Zone", inversedBy="child
我是一名优秀的程序员,十分优秀!