Doctrine ORM是一个PHP ORM。虽然Doctrine 1.2使用Active Record模式,但Doctrine ORM 2及更高版本使用Data Mapper模式。 Doctrine项目是一个开源库和工具的集合,用于处理用PHP编写的数据库抽象和对象关系映射。
抱歉,如果这个问题已经得到解答,我找不到任何答案。 我正在 Symfony2 中构建这个模型: 类 LogEntry { /** * @var 整数 $id * * @ORM\Column(name="id", t...
Symfony、Doctrine - 将查询结果映射到自定义类而不是实体
假设我有一个名为 User 的实体,它包含角色、用户名、盐、密码、全名和名字。 我正在使用 Symfony 和 Doctrine,所以当我创建一个 User 实体时,我有 UserRepository wh...
我有一个用 Symfony 5 构建的新项目,并且有 Api 平台 2.7。 我的项目也有 PHP 7.4。 我的问题是,我在注释中得到的每一个更改,我都需要输入cache:clear或cache:
Symfony 5.4 运行 SQL 查询时出错:违反完整性约束:1048 列“用户名”不能为空
我正在使用friendsofsymfony捆绑包进行身份验证,情况是当我尝试登录时,用户成功登录并获取访问令牌,但在发生一些安全事件时在同一请求中
Symfony Serializer 由于多对多关系而循环引用
我需要一个重新运行 json 数据的 api,所以我尝试通过 symfony 中的控制器发送 json 数据,并且我正在使用序列化器,但我在将组分配给具有许多属性的属性时遇到问题...
无法删除在 Symfony / Doctrine 的联结表中具有相关条目的实体
我有以下实体: 轮廓 标签 标签类别 个人资料标签 ProfileTag 是一个联结表,它在 Profile 和 Tag 之间形成多对多的关系。 每个标签属于一个类别。 我...
我正在尝试设计一个学说查询,我对学说很陌生,但在我的另一篇文章的帮助下,我想出了一个在我的 Mysql 中运行时有效的查询。但我希望它能够将查询转换为
遵循 Doctrine 指南,我了解如何为实体设置默认值,但如果我想要日期/时间戳怎么办? http://docs.doctrine-project.org/projects/doctrine-orm/en/2.1/refer...
当我运行学说模式更新时,我收到了需要执行的奇怪查询,但它们基本上只是重做已经完成或尚未完成的操作? php 应用程序/控制台学说:架构:更新 --dump-...
我有具有多对多关系的帖子和标签实体。在帖子创建和编辑表单中,有一个文本框,我可以在其中输入与该帖子相关的用逗号分隔的标签。例如,当我输入
Symfony 6.4 - Doctrine - Xml - 没有可用的匹配全局属性声明,但严格通配符要求
composer.json "学说/学说捆绑": "^2.11.1", "学说/学说-迁移-bundle": "^3.3.0", “教义/规则”:“...
Zend Framework 2 Doctrine 2 多对多实体关系问题
我有以下表格:电影、类别、电影_类别和实体: 电影.php 我有以下表格:电影、类别、电影_类别和实体: 电影.php <?php namespace Admin\Entity; use Doctrine\Common\Collections\ArrayCollection; use Doctrine\Common\Collections\Collection; use Doctrine\ORM\Mapping as ORM; /** * @ORM\Table(name="films") */ class Film{ /** * @ORM\Id * @ORM\GeneratedValue(strategy="AUTO") * @ORM\Column(type="integer") * @ORM\Column(length=11) */ private $id; /** * @ORM\Column(type="string") */ private $name; /* .... */ /** * @ORM\ManyToMany(targetEntity="Category") * @ORM\JoinTable(name="films_categories", * joinColumns={@ORM\JoinColumn(name="film_id", referencedColumnName = "id")}, * inverseJoinColumns={@ORM\JoinColumn(name="category_id", referencedColumnName="id")}) */ private $categories; public function __construct(){ $this->categories = new ArrayCollection(); } public function getCategoriesNames(){ $names = array(); foreach($this->categories as $category){ $names[] = $category->getName(); } return $names; } public function getId(){ return $this->id; } public function setId($id){ $this->id = $id; } /* ... */ /** * @return Collection */ public function getCategories(){ return $this->categories; } public function addCategories(Collection $categories){ foreach($categories as $category){ $this->categories->add($category); } } public function removeCategories(Collection $categories){ foreach($categories as $category){ $this->categories->removeElement($category); } } } 类别.php <?php namespace Admin\Entity; use Doctrine\ORM\Mapping as ORM; /** * @ORM\Table(name="categories") */ class Category { /** * @ORM\Id * @ORM\GeneratedValue(strategy="AUTO") * @ORM\Column(type="integer") */ private $id; /* ... */ public function getId(){ return $this->id; } public function setId($id){ $this->id = $id; } /* ... */ } 我想要做的是创建一个表单和添加新电影并为其分配类别的操作。这是我使用的表格: FilmFieldset.php <?php namespace Admin\Form; use Zend\Form\Fieldset; use Zend\InputFilter\InputFilterProviderInterface; use DoctrineORMModule\Stdlib\Hydrator\DoctrineEntity; use Admin\Entity\Film; class FilmFieldset extends Fieldset implements InputFilterProviderInterface{ protected $entityManager; public function __construct($em){ parent::__construct('film'); $this->entityManager= $em; $this->setHydrator(new DoctrineEntity($em,'Admin\Entity\Film')) ->setObject(new Film()); #$this->setAttribute('method','post'); #$this->setAttribute('class','standardForm'); $this->add(array( 'name' => 'id', 'type' => 'hidden' )); /* ... */ $this->add( array( 'type' => 'DoctrineModule\Form\Element\ObjectSelect', 'name' => 'categories', 'attributes' => array( 'multiple' => 'multiple', ), 'options' => array( 'object_manager' => $em, 'target_class' => 'Admin\Entity\Category', 'property' => 'name', 'label' => 'Categories: ', 'disable_inarray_validator' => true ), ) ); } public function getInputFilterSpecification(){ return array( /* .... */ 'categories' => array( 'required' => true, ), ); } } FilmForm.php <?php namespace Admin\Form; use Zend\Form\Form; use Zend\Stdlib\Hydrator\ClassMethods; use Admin\Entity\Film; use Zend\InputFilter\InputFilter; use DoctrineModule\Stdlib\Hydrator\DoctrineObject as DoctrineHydrator; class FilmForm extends Form{ public function __construct($em){ parent::__construct('filmForm'); $this->setAttribute('method','post') ->setAttribute('class','standardForm') ->setHydrator(new DoctrineHydrator($em,'\Admin\Entity\Film')) ->setInputFilter(new InputFilter()); /* I register the fieldset through a service and not directly here */ // $this->add(array( // 'type' => new FilmFieldset($em), // 'options' => array( // 'user_as_base_fieldset' => true // ) // )); $this->add(array( 'name' => 'security', 'type' => 'Zend\Form\Element\Csrf' )); $this->add(array( 'name' => 'submit', 'type' => 'submit', )); $this->setValidationGroup(array( 'security', 'film' => array( 'categories', ) )); } } 添加操作: public function addAction() { $em = $this->getEntityManager(); $form = $this->getForm(); $film = new Film(); $form->bind($film); if($request->isPost()){ $post = array_merge_recursive( $request->getPost()->toArray(), $request->getFiles()->toArray() ); $form->setData($post); if($form->isValid()){ $categories = array(); foreach($post['film']['categories'] as $categoryId){ $categories[] = $em->getRepository('Admin\Entity\Category')->find($categoryId); } $film->addCategories($categories); $em->persist($film); $em->flush(); }else{ // the form is not valid } } 结果是各种错误和 ORMExcption,并显示消息“在关联 Admin\Entity\Film#categories 上找到类型实体,但期望 Admin\Entity\Category” 请帮帮我,我真的被这个吓坏了!谢谢你:) 据我所知,您的实体正在接收类似的东西Admin\Entity\Film#categories,在这一部分中,类别具有一定的价值。您的实体需要一个类型为 Admin\Entity\Film#categories 的对象。 要克服这个问题,你必须创建一个 public function SetCategory(Admin\Entity\Category Category) { $this->categories(or category or w/e your variable name is)= Category; } public function getCategory() { return $this->categories(or category or w/e your variable name is); } 然后在你的操作中,你必须将Category的对象传递给Film实体,就像这样 $Film->SetCategory($categoryObj); 当然你必须根据你的部分设置你的业务逻辑,但是这个错误应该被这个方法删除。 您需要为目标实体定义 FQCN。 改变: * @ORM\ManyToMany(targetEntity="Category") 至: * @ORM\ManyToMany(targetEntity="Admin\Entity\Category") 这与水合作用和延迟加载有关。 我不是这方面的专家,但是 #categories 是一个代理对象,当您要保存它时,它会抱怨,因为它需要是一个实际的集合,而不是集合的代理对象。 如果您采用了 noobie-php 的方法,您将在主对象上重新附加新的类别对象,因此它们不再是代理。 这令人沮丧,因为 Doctrine 本来应该避免很多麻烦,但在很多情况下它实际上并没有达到您自然期望的效果。 我前段时间发现了一个关于此问题的错误票,但现在找不到它 - 如果我能找到它,我会将其添加到此。
这是我的symfony项目,我正在其中练习功能测试,当我测试我的功能时出现这样的错误。 在这里,发生我的错误的代码部分:\ 这是我的 symfony 项目,我正在其中练习功能测试,当我测试我的功能时出现这样的错误。 这里,发生我的错误的代码部分:\ <?php namespace App\Tests; use Symfony\Bundle\FrameworkBundle\Test\WebTestCase; use App\Entity\Category; class AdminControllerCategoriesTest extends WebTestCase { public function setUp():void { parent::setUp(); $this->client = static::createClient(); $this->entityManager = $this->client->getContainer()->get('doctrine.orm.entity_manager'); $this->entityManager->beginTransaction(); $this->entityManager->getConnection()->setAutoCommit(false); } public function tearDown():void { parent::tearDown(); $this->entityManager->rollback(); $this->entityManager->close(); $this->entityManager = null; //avoid memory leaks } public function testTextOnPage() { $crawler = $this->client->request('GET', '/admin/categories'); $this->assertSame('Categories list', $crawler->filter('h2')->text()); $this->assertContains('Electronics', $this->client->getResponse()->getContent()); } public function testNumberOfItems() { $crawler = $this->client->request('GET', '/admin/categories'); $this->assertCount(21, $crawler->filter('option')); } } 这里是我的.env,我有数据库连接: # In all environments, the following files are loaded if they exist, # the latter taking precedence over the former: # # * .env contains default values for the environment variables needed by the app # * .env.local uncommitted file with local overrides # * .env.$APP_ENV committed environment-specific defaults # * .env.$APP_ENV.local uncommitted environment-specific overrides # # Real environment variables win over .env files. # # DO NOT DEFINE PRODUCTION SECRETS IN THIS FILE NOR IN ANY OTHER COMMITTED FILES. # # Run "composer dump-env prod" to compile .env files for production use (requires symfony/flex >=1.2). # https://symfony.com/doc/current/best_practices.html#use-environment-variables-for-infrastructure-configuration ###> symfony/framework-bundle ### APP_ENV=dev APP_SECRET=018d7408d23791c60854cbb4fc65b667 ###< symfony/framework-bundle ### ###> doctrine/doctrine-bundle ### # Format described at https://www.doctrine-project.org/projects/doctrine-dbal/en/latest/reference/configuration.html#connecting-using-a-url # IMPORTANT: You MUST configure your server version, either here or in config/packages/doctrine.yaml # # DATABASE_URL="sqlite:///%kernel.project_dir%/var/data.db" DATABASE_URL="mysql://root:@127.0.0.1:3306/symf5?serverVersion=mariadb-10.4.11" # DATABASE_URL="postgresql://symfony:[email protected]:5432/app?serverVersion=13&charset=utf8" ###< doctrine/doctrine-bundle ### 在这里,我的 .env.test 文件中有以下代码: # define your env variables for the test env here KERNEL_CLASS='App\Kernel' APP_SECRET='$ecretf0rt3st' SYMFONY_DEPRECATIONS_HELPER=999999 PANTHER_APP_ENV=panther PANTHER_ERROR_SCREENSHOT_DIR=./var/error-screenshots 我不知道出了什么问题,我尝试了不同的方法,但都不起作用,我也不知道这出了什么问题,该怎么办。希望你们能帮我解决我的问题。 谢谢! 您有两个选择: 为您的测试创建新数据库 删除数据库测试中的dbname_suffix,它负责为新数据库测试提供后缀名称 -at config/packages/test/doctrine.yaml - when@test: doctrine: dbal: # "TEST_TOKEN" is typically set by ParaTest dbname_suffix: '_test%env(default::TEST_TOKEN)%' 我想你可能忘记创建 .env.test 文件。 在文档中,您可以阅读需要此文件: https://symfony.com/doc/current/testing.html#customizing-environment-variables 在此文件中,您将使用正确的数据库进行测试。 告诉我它是否有效! 你的 phpunit.xml 看起来怎么样,或者你有吗? 我们在项目目录中添加了一个 phpunit.xml 并在 phpunit.xml 文件中声明了必要的环境变量,例如: <?xml version="1.0" encoding="UTF-8"?> <phpunit xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="vendor/phpunit/phpunit/phpunit.xsd" colors="true" bootstrap="vendor/autoload.php" cacheResultFile=".phpunit.cache/test-results" executionOrder="depends,defects" forceCoversAnnotation="true" beStrictAboutCoversAnnotation="true" beStrictAboutOutputDuringTests="true" beStrictAboutTodoAnnotatedTests="true" convertDeprecationsToExceptions="true" failOnRisky="true" failOnWarning="true" verbose="true" > <php> <ini name="display_errors" value="1" /> <ini name="error_reporting" value="1" /> <env name="APP_ENV" value="test" force="true" /> <env name="KERNEL_CLASS" value="App\Kernel" /> <env name="APP_DEBUG" value="false" /> <env name="DATABASE_URL" value="sqlite:///:memory:" force="true" /> <var name="DB_DBNAME" value="app" /> </php> <testsuites> <testsuite name="Test Suite"> <directory>tests</directory> </testsuite> </testsuites> <coverage cacheDirectory=".phpunit.cache/code-coverage" processUncoveredFiles="true"> <include> <directory suffix=".php">src</directory> </include> <exclude> <directory>src/Entity</directory> <directory>src/Repository</directory> <file>src/Kernel.php</file> </exclude> </coverage> <listeners> <listener class="Symfony\Bridge\Phpunit\SymfonyTestsListener" /> </listeners> <extensions> <extension class="Symfony\Component\Panther\ServerExtension" /> </extensions> </phpunit> 为了设置所有功能测试,我们在tests/Framework/FunctionalTestCase.php 上初始化数据库模式 <?php namespace App\Tests\Framework; use App\Tests\Framework\DatabaseUtil\InitDatabase; use Doctrine\ORM\EntityManagerInterface; use Symfony\Bundle\FrameworkBundle\KernelBrowser; use Symfony\Bundle\FrameworkBundle\Test\WebTestCase; class FunctionalTestCase extends WebTestCase { protected EntityManagerInterface|null $entityManager = null; private KernelBrowser|null $client = null; protected function setUp(): void { parent::setUp(); self::ensureKernelShutdown(); $this->client = static::createClient(); InitDatabase::updateSchema($this->client); $this->entityManager = $this->client->getContainer() ->get('doctrine') ->getManager(); } protected function getClientFromParent(): KernelBrowser { return $this->client; } } 以及测试/Framework/DatabaseUtil/InitDataBase.php: <?php namespace App\Tests\Framework\DatabaseUtil; use Doctrine\ORM\Tools\SchemaTool; class InitDatabase { public static function updateSchema(object $kernel): void { $entityManager = $kernel->getContainer()->get('doctrine.orm.entity_manager'); $metaData = $entityManager->getMetadataFactory()->getAllMetadata(); $schemaTool = new SchemaTool($entityManager); $schemaTool->updateSchema($metaData); } } 使用 我们在 ControllerTests 中使用这个FunctionalTestCase,例如: <?php namespace App\Tests\Controller\AnyController; use App\Tests\Framework\FunctionalTestCase; use App\Entity\User; use App\TestsDataFixture\UserFixture; use Doctrine\Common\Collections\Collection; use Doctrine\DBAL\Exception\TableNotFoundException; use Doctrine\Persistence\ObjectManager; class AnyControllerTest extends FunctionalTestCase { private User $user; private User $entityUser; private KernelBrowser $client; public function setUp(): void { parent::setUp(); $userFixture = new UserFixture(); $this->user = $userFixture->load($this->entityManager); $this->entityUser = $this->entityManager->getRepository(User::class)->findAll()[0]; $this->client = $this->getClientFromParent(); } public function tearDown(): void { parent::tearDown(); $this->delete([$this->entityUser], $this->entityManager); } public function testLoginSuccessful(): void { $payload = [ 'username' => $this->user->getEmail(), 'password' => $this->user->getPassword() ]; $this->client->loginUser($this->user); $this->client->request( 'POST', '/auth/login', [], [], [ 'Content-Type' => 'application/json' ], json_encode($payload) ); $response = $this->client->getResponse()->getContent(); $data = json_decode($response, true); $this->assertResponseIsSuccessful(); $this->assertIsString($data['token']); } private function deleteFromDatabase(array|Collection $entities, ObjectManager $manager): void { $connection = $manager->getConnection(); $databasePlatform = $connection->getDatabasePlatform(); if ($databasePlatform->supportsForeignKeyConstraints()) { $connection->query('SET FOREIGN_KEY_CHECKS=0'); } foreach($entities as $entity) { try { $query = $databasePlatform->getTruncateTableSQL( $manager->getClassMetadata(get_class($entity))->getTableName() ); $connection->executeUpdate($query); } catch(TableNotFoundException $exception) { // do nothing } } if ($databasePlatform->supportsForeignKeyConstraints()) { $connection->query('SET FOREIGN_KEY_CHECKS=1'); } } } UserFixture 是一个普通的 DataFixture,具有用于生成 FakeUser 的加载方法,如下例所示:https://symfony.com/bundles/DoctrineFixturesBundle/current/index.html 您可以将私有删除方法放入特征中,以便在多个控制器中使用。 在此示例中,我们使用内存中的 sqlite 数据库,但您也可以将 phpunit 中的 DATABASE_URL 更改为 MariaDB DSN。
监听器“SoftDeleteableListener”未添加到EventManager
我按照这个示例在运行 Symfony 2.1.0-DEV 的项目上测试 softdeletable 扩展。 我配置了 config.yml,如下所示: 奥姆: 自动生成代理类:%kernel.debug%
当我使用 find(id) 执行查询时,它工作正常。 但是当我使用 createQuery 方法时 select u from User u where u.id = 1 然后我得到错误,它是一个数组。 所以我想知道是否可以...
我了解如何为 Doctrine 3 实体添加验证,但据我所知,EasyAdmin 应该将该验证显示为其表单的一部分。目前它只是抛出异常......
我是 Symfony 的新手,我正在尝试创建一个绑定到实体用户的表单。 该实体的一个字段的类型为 ArrayCollection。它实际上是与另一个对象的 OneToMany 关系...
我正在为这个课程编写一个单元测试: 我正在为这门课编写单元测试: <?php namespace AppBundle\Managers\CRUD; use Doctrine\ORM\EntityManager; use CommonLibs\Interfaces\CrudManagerInterface; use AppBundle\Entity\Pet; use CommonLibs\Helpers\PaginatorHelper; use AppBundle\Entity\Person; use AppBundle\Managers\CRUD\PetManager; use AppBundle\AppBundle; class PersonManager extends CrudManagerInterface { /** * @var EntityManager */ private $em; /** * @var PetManager */ private $petManager; public function __construct(EntityManager $em,PetManager $petManager) { $this->em=$em; $this->petManager=$petManager; } /** * {@inheritDoc} * @see \CommonLibs\Interfaces\CrudManagerInterface::search() * @return AppBundle\Entity\Person[] */ public function search(array $searchParams, array $order, $page, $limit) { $queryBuilder=$this->em->createQueryBuilder(); $queryBuilder=$queryBuilder->select('p')->from('AppBundle:Person','p'); if(isset($searchParams[Person::NAME])) { $queryBuilder->andWhere('p.name LIKE :name')->setParameter('name','%'.$searchParams[Person::NAME].'%'); } $petNameSearch=isset($searchParams[Pet::NAME]); $petTypeSearch=isset($searchParams[Pet::TYPE]); if( $petNameSearch || $petTypeSearch ) { $queryBuilder->join('p.pets','pe'); if($petNameSearch) { $queryBuilder->andWhere('pe.name LIKE :pet_name')->setParameter('pet_name','%'.$searchParams[Pet::NAME].'$'); } if($petTypeSearch) { if(!is_array($searchParams[Pet::TYPE])) { $searchParams[Pet::TYPE]=array($searchParams[Pet::TYPE]); } $queryBuilder->andWhere('pe.type IN (:pet_types)')->setParameter('pet_types',$searchParams[Pet::TYPE]); } /** * @var Doctrine\ORM\Query */ $query=$queryBuilder->getQuery(); if((int)$limit>0) { $query->setFirstResult(PaginatorHelper::calculateFirstResult($page,$limit))->setMaxResults((int)$limit); } $results=$query->getResult(); return $results; } } /** * {@inheritDoc} * @see \CommonLibs\Interfaces\CrudManagerInterface::getById() * @return AppBundle\Entity\Person */ public function getById($id) { return $this->em->getManager('AppBundle:Person')->findById($id); } /** * {@inheritDoc} * @see \CommonLibs\Interfaces\CrudManagerInterface::add() * * @param array $dataToAdd * * $dataToAdd Must have one of the follofiwng formats: * * FORMAT 1: * [ * Person:NAME=>"value" * ] * * FORMAT 2: * * [ * [ * Person:NAME=>"value" * ], * [ * Person:NAME=>"value" * ], * [ * Person:NAME=>"value" * ] * ] * * @return AppBundle\Entiry\Person[] with the modified persons */ public function add(array $dataToAdd) { /** * @var AppBundle\Entiry\Person $insertedPersons */ $insertedPersons=[]; foreach($dataToAdd as $key=>$data) { $personToInsert=new Person(); if(is_array($data)) { $personToInsert=$this->add($data); if($personToInsert==false) { return false; } } elseif(!$this->setReference($personToInsert,$key,$data)) { $personToInsert->$$key=$data; } if(is_array($personToInsert)) { $insertedPersons=array_merge($insertedPersons,$personToInsert); } else { $this->em->flush($personToInsert); $insertedPersons[]=$personToInsert; } } if(!empty($insertedPersons)) { $this->em->flush(); } return $insertedPersons; } /** * {@inheritDoc} * @see \CommonLibs\Interfaces\CrudManagerInterface::edit() */ public function edit(array $changedData) { $em=$this->em->getManager('AppBundle:Person'); foreach($changedData as $id => $fieldsToChange) { $item=$this->getById($id); foreach($fieldsToChange as $fieldName=>$fieldValue){ if(!$this->setReference($item,$fieldName,$fieldValue)){ $item->$$fieldName=$fieldValue; } } $em->merge($item); } $em->flush(); } /** * {@inheritDoc} * @see \CommonLibs\Interfaces\CrudManagerInterface::delete() * * @param array changedData * Should contain data in the following formats: * FORMAT 1: * * [ * Person::ID=>^an_id^ * Person::NAME=>^a name of a person^ * ] * * FORMAT2: * [ * Person::ID=>[^an_id1^,^an_id2^,^an_id3^...,^an_idn^] * Person::NAME=>^a name of a person^ * ] * * The $changedData MUST contain at least one of Person::ID or Person::NAME. * Therefore you can ommit one of Person::ID or Person::NAME but NOT both. */ public function delete(array $changedData) { $queryBuilder=$this->em->createQueryBuilder(); $queryBuilder->delete()->from('AppBundle:Person','p'); $canDelete=false; if(isset($changedData[Person::ID])) { if(!is_array($changedData[Person::ID])) { $changedData[Person::ID]=[$changedData[Person::ID]]; } $queryBuilder->where('person.id IN (:id)')->bindParam('id',$changedData[Person::ID]); $canDelete=true; } if(isset($changedData[Person::NAME])) { $queryBuilder->orWhere('person.name is :name')->bindParam('name',$changedData[Person::NAME]); $canDelete=true; } if($canDelete) { $query=$queryBuilder->getQuery(); $query->execute(); } return $canDelete; } /** * Set referencing fields to person. * * @param AppBundle\Entiry\Person $item The item to set the reference * @param string $referencingKey A string that Indicates the input field. * The strings for the param above are defined as constants at AppBundle\Entiry\Person. * @param mixed $referencingValue The value of referencing key * * @return boolean */ private function setReference($item,$referencingKey,$referencingValue) { /** * @var AppBundle\Entity\Pet $pet */ $pet=null; if($referencingKey===Person::PET) { if(is_numeric($referencingValue)) {//Given pet id $pet=$this->petManager->getById($referencingValue);//Searching pet by id } elseif (is_object($referencingValue) && $referencingValue instanceof AppBundle\Entity\Pet ){//Given directly a pet Object $pet=$referencingValue; } $item->$$referencingKey=$referencingValue; return true; } return false; } } 我想模拟 Doctrine 的实体管理器。但我不知道要返回什么才能成功使用 Doctrine 的查询生成器,但没有实际的数据库连接。 好吧,如果你想真正遵循最佳实践,你不应该嘲笑实体管理器,因为你不拥有它;您可以在以下链接阅读更多内容 https://github.com/mockito/mockito/wiki/How-to-write-good-tests https://adamwathan.me/2017/01/02/dont-mock-what-you-dont-own/ https://8thlight.com/blog/eric-smith/2011/10/27/thats-not-yours.html 好吧,现在,如果你想走那条路,你可以像嘲笑 EntityManager 中的所有其他对象一样嘲笑 PHPUnit 如果您使用 PHPUnit >= 5.7 且 PHP > 5.5 $mockedEm = $this->createMock(EntityManager::class) 或 PHP <= 5.5 $mockedEm = $this->createMock('Doctrine\\ORM\\EntityManager'); 一旦你模拟了它,你就必须声明所有预设的响应和期望:预设的响应是为了让你的代码工作,而期望是为了让它成为一个模拟 举个例子,这应该是罐头的 return $this->em->getManager('AppBundle:Person')->findById($id); 正如您将看到的,为每个方法调用声明一个固定方法可能非常困难且过度;例如,在这里,你应该这样做 $mockedEm = $this->createMock(EntityManager::class) $mockedPersonManager = $this->createMock(...); $mockedEm->method('getManager')->willReturn(mockedPersonManager); $mockedPersonManager->findOneBy(...)->willReturn(...); (当然你必须用实际值替换...) 最后,记住模拟不是存根
在 Doctrine2 中为元表结构创建映射以在 FormBuilder 中使用
我有两张桌子: 分支机构: +-------------+--------------+------+-----+-------- --+----------------+ |领域 |类型 |空 |关键|默认 |额外 | +-------------+---------...
通常,当您使用 Doctrine 实现实体时,您会将其显式映射到表: 通常,当您使用 Doctrine 实现实体时,您会将其显式映射到表: <?php /** * @Entity * @Table(name="message") */ class Message { //... } 或者您回复原则以隐式将您的类名映射到表...我有几个在架构上相同的表,但我不希望每次都重新创建该类...因此在运行时(动态地) )我想相应地更改表名称。 我从哪里开始或者我会考虑什么来实现这个奇怪的要求??? 令我惊讶的是,解决方案非常简单。您所要做的就是获取实体的 ClassMetadata 并更改它映射到的表的名称: /** @var EntityManager $em */ $class = $em->getClassMetadata('Message'); $class->setPrimaryTable(['name' => 'message_23']); 您需要小心,在加载了一些Message类型的实体并更改它们后,不要更改表名称。如果幸运的话,它很可能会在保存时产生 SQL 错误(例如,由于表约束),否则它会修改错误的行(来自新表)。 我建议以下工作流程: 设置所需的表名; 加载一些实体; 随意修改; 拯救他们; 将它们与实体管理器分离(方法 EntityManager::clear() 是重新开始的快速方法); 返回步骤 1(即使用另一个表重复)。 即使您不更改或不保存实体,步骤#5(从实体管理器中分离实体)也很有用。它允许实体管理器使用更少的内存并更快地工作。 这只是可用于动态设置/更改映射的众多方法之一。其余部分请查看 ClassMetadata 类的文档。您可以在PHP映射的文档页面中找到更多灵感。