Merge origin/master into DDC-1384
This commit is contained in:
commit
64d405f7dd
45 changed files with 1383 additions and 793 deletions
|
@ -1,3 +1,17 @@
|
||||||
|
# ResultCache implementation rewritten
|
||||||
|
|
||||||
|
The result cache is completly rewritten and now works on the database result level, not inside the ORM AbstractQuery
|
||||||
|
anymore. This means that for result cached queries the hydration will now always be performed again, regardless of
|
||||||
|
the hydration mode. Affected areas are:
|
||||||
|
|
||||||
|
1. Fixes the problem that entities coming from the result cache were not registered in the UnitOfWork
|
||||||
|
leading to problems during EntityManager#flush. Calls to EntityManager#merge are not necessary anymore.
|
||||||
|
2. Affects the array hydrator which now includes the overhead of hydration compared to caching the final result.
|
||||||
|
|
||||||
|
The API is backwards compatible however most of the getter methods on the `AbstractQuery` object are now
|
||||||
|
deprecated in favor of calling AbstractQuery#getQueryCacheProfile(). This method returns a `Doctrine\DBAL\Cache\QueryCacheProfile`
|
||||||
|
instance with access to result cache driver, lifetime and cache key.
|
||||||
|
|
||||||
# EntityManager#getPartialReference() creates read-only entity
|
# EntityManager#getPartialReference() creates read-only entity
|
||||||
|
|
||||||
Entities returned from EntityManager#getPartialReference() are now marked as read-only if they
|
Entities returned from EntityManager#getPartialReference() are now marked as read-only if they
|
||||||
|
|
|
@ -20,7 +20,8 @@
|
||||||
namespace Doctrine\ORM;
|
namespace Doctrine\ORM;
|
||||||
|
|
||||||
use Doctrine\DBAL\Types\Type,
|
use Doctrine\DBAL\Types\Type,
|
||||||
Doctrine\ORM\Query\QueryException;
|
Doctrine\ORM\Query\QueryException,
|
||||||
|
Doctrine\DBAL\Cache\QueryCacheProfile;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Base contract for ORM queries. Base class for Query and NativeQuery.
|
* Base contract for ORM queries. Base class for Query and NativeQuery.
|
||||||
|
@ -91,34 +92,15 @@ abstract class AbstractQuery
|
||||||
protected $_hydrationMode = self::HYDRATE_OBJECT;
|
protected $_hydrationMode = self::HYDRATE_OBJECT;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The locally set cache driver used for caching result sets of this query.
|
* @param \Doctrine\DBAL\Cache\QueryCacheProfile
|
||||||
*
|
|
||||||
* @var CacheDriver
|
|
||||||
*/
|
*/
|
||||||
protected $_resultCacheDriver;
|
protected $_queryCacheProfile;
|
||||||
|
|
||||||
/**
|
|
||||||
* Boolean flag for whether or not to cache the results of this query.
|
|
||||||
*
|
|
||||||
* @var boolean
|
|
||||||
*/
|
|
||||||
protected $_useResultCache;
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @var string The id to store the result cache entry under.
|
|
||||||
*/
|
|
||||||
protected $_resultCacheId;
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @var boolean Boolean value that indicates whether or not expire the result cache.
|
* @var boolean Boolean value that indicates whether or not expire the result cache.
|
||||||
*/
|
*/
|
||||||
protected $_expireResultCache = false;
|
protected $_expireResultCache = false;
|
||||||
|
|
||||||
/**
|
|
||||||
* @var int Result Cache lifetime.
|
|
||||||
*/
|
|
||||||
protected $_resultCacheTTL;
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Initializes a new instance of a class derived from <tt>AbstractQuery</tt>.
|
* Initializes a new instance of a class derived from <tt>AbstractQuery</tt>.
|
||||||
*
|
*
|
||||||
|
@ -260,7 +242,7 @@ abstract class AbstractQuery
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Defines a cache driver to be used for caching result sets.
|
* Defines a cache driver to be used for caching result sets and implictly enables caching.
|
||||||
*
|
*
|
||||||
* @param Doctrine\Common\Cache\Cache $driver Cache driver
|
* @param Doctrine\Common\Cache\Cache $driver Cache driver
|
||||||
* @return Doctrine\ORM\AbstractQuery
|
* @return Doctrine\ORM\AbstractQuery
|
||||||
|
@ -270,9 +252,10 @@ abstract class AbstractQuery
|
||||||
if ($resultCacheDriver !== null && ! ($resultCacheDriver instanceof \Doctrine\Common\Cache\Cache)) {
|
if ($resultCacheDriver !== null && ! ($resultCacheDriver instanceof \Doctrine\Common\Cache\Cache)) {
|
||||||
throw ORMException::invalidResultCacheDriver();
|
throw ORMException::invalidResultCacheDriver();
|
||||||
}
|
}
|
||||||
$this->_resultCacheDriver = $resultCacheDriver;
|
if ($this->_queryCacheProfile) {
|
||||||
if ($resultCacheDriver) {
|
$this->_queryCacheProfile = $this->_queryCacheProfile->setResultCacheDriver($resultCacheDriver);
|
||||||
$this->_useResultCache = true;
|
} else {
|
||||||
|
$this->_queryCacheProfile = new QueryCacheProfile(0, null, $resultCacheDriver);
|
||||||
}
|
}
|
||||||
return $this;
|
return $this;
|
||||||
}
|
}
|
||||||
|
@ -280,12 +263,13 @@ abstract class AbstractQuery
|
||||||
/**
|
/**
|
||||||
* Returns the cache driver used for caching result sets.
|
* Returns the cache driver used for caching result sets.
|
||||||
*
|
*
|
||||||
|
* @deprecated
|
||||||
* @return Doctrine\Common\Cache\Cache Cache driver
|
* @return Doctrine\Common\Cache\Cache Cache driver
|
||||||
*/
|
*/
|
||||||
public function getResultCacheDriver()
|
public function getResultCacheDriver()
|
||||||
{
|
{
|
||||||
if ($this->_resultCacheDriver) {
|
if ($this->_queryCacheProfile && $this->_queryCacheProfile->getResultCacheDriver()) {
|
||||||
return $this->_resultCacheDriver;
|
return $this->_queryCacheProfile->getResultCacheDriver();
|
||||||
} else {
|
} else {
|
||||||
return $this->_em->getConfiguration()->getResultCacheImpl();
|
return $this->_em->getConfiguration()->getResultCacheImpl();
|
||||||
}
|
}
|
||||||
|
@ -296,18 +280,17 @@ abstract class AbstractQuery
|
||||||
* how long and which ID to use for the cache entry.
|
* how long and which ID to use for the cache entry.
|
||||||
*
|
*
|
||||||
* @param boolean $bool
|
* @param boolean $bool
|
||||||
* @param integer $timeToLive
|
* @param integer $lifetime
|
||||||
* @param string $resultCacheId
|
* @param string $resultCacheId
|
||||||
* @return Doctrine\ORM\AbstractQuery This query instance.
|
* @return Doctrine\ORM\AbstractQuery This query instance.
|
||||||
*/
|
*/
|
||||||
public function useResultCache($bool, $timeToLive = null, $resultCacheId = null)
|
public function useResultCache($bool, $lifetime = null, $resultCacheId = null)
|
||||||
{
|
{
|
||||||
$this->_useResultCache = $bool;
|
if ($bool) {
|
||||||
if ($timeToLive) {
|
$this->setResultCacheLifetime($lifetime);
|
||||||
$this->setResultCacheLifetime($timeToLive);
|
$this->setResultCacheId($resultCacheId);
|
||||||
}
|
} else {
|
||||||
if ($resultCacheId) {
|
$this->_queryCacheProfile = null;
|
||||||
$this->_resultCacheId = $resultCacheId;
|
|
||||||
}
|
}
|
||||||
return $this;
|
return $this;
|
||||||
}
|
}
|
||||||
|
@ -315,27 +298,33 @@ abstract class AbstractQuery
|
||||||
/**
|
/**
|
||||||
* Defines how long the result cache will be active before expire.
|
* Defines how long the result cache will be active before expire.
|
||||||
*
|
*
|
||||||
* @param integer $timeToLive How long the cache entry is valid.
|
* @param integer $lifetime How long the cache entry is valid.
|
||||||
* @return Doctrine\ORM\AbstractQuery This query instance.
|
* @return Doctrine\ORM\AbstractQuery This query instance.
|
||||||
*/
|
*/
|
||||||
public function setResultCacheLifetime($timeToLive)
|
public function setResultCacheLifetime($lifetime)
|
||||||
{
|
{
|
||||||
if ($timeToLive !== null) {
|
if ($lifetime === null) {
|
||||||
$timeToLive = (int) $timeToLive;
|
$lifetime = 0;
|
||||||
|
} else {
|
||||||
|
$lifetime = (int)$lifetime;
|
||||||
|
}
|
||||||
|
if ($this->_queryCacheProfile) {
|
||||||
|
$this->_queryCacheProfile = $this->_queryCacheProfile->setLifetime($lifetime);
|
||||||
|
} else {
|
||||||
|
$this->_queryCacheProfile = new QueryCacheProfile($lifetime);
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_resultCacheTTL = $timeToLive;
|
|
||||||
return $this;
|
return $this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Retrieves the lifetime of resultset cache.
|
* Retrieves the lifetime of resultset cache.
|
||||||
*
|
*
|
||||||
|
* @deprecated
|
||||||
* @return integer
|
* @return integer
|
||||||
*/
|
*/
|
||||||
public function getResultCacheLifetime()
|
public function getResultCacheLifetime()
|
||||||
{
|
{
|
||||||
return $this->_resultCacheTTL;
|
return $this->_queryCacheProfile ? $this->_queryCacheProfile->getLifetime() : 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -360,6 +349,14 @@ abstract class AbstractQuery
|
||||||
return $this->_expireResultCache;
|
return $this->_expireResultCache;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return QueryCacheProfile
|
||||||
|
*/
|
||||||
|
public function getQueryCacheProfile()
|
||||||
|
{
|
||||||
|
return $this->_queryCacheProfile;
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Change the default fetch mode of an association for this query.
|
* Change the default fetch mode of an association for this query.
|
||||||
*
|
*
|
||||||
|
@ -548,7 +545,7 @@ abstract class AbstractQuery
|
||||||
*
|
*
|
||||||
* @param array $params The query parameters.
|
* @param array $params The query parameters.
|
||||||
* @param integer $hydrationMode The hydration mode to use.
|
* @param integer $hydrationMode The hydration mode to use.
|
||||||
* @return IterableResult
|
* @return \Doctrine\ORM\Internal\Hydration\IterableResult
|
||||||
*/
|
*/
|
||||||
public function iterate(array $params = array(), $hydrationMode = null)
|
public function iterate(array $params = array(), $hydrationMode = null)
|
||||||
{
|
{
|
||||||
|
@ -584,28 +581,6 @@ abstract class AbstractQuery
|
||||||
$this->setParameters($params);
|
$this->setParameters($params);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Check result cache
|
|
||||||
if ($this->_useResultCache && $cacheDriver = $this->getResultCacheDriver()) {
|
|
||||||
list($key, $hash) = $this->getResultCacheId();
|
|
||||||
$cached = $this->_expireResultCache ? false : $cacheDriver->fetch($hash);
|
|
||||||
|
|
||||||
if ($cached === false || !isset($cached[$key])) {
|
|
||||||
// Cache miss.
|
|
||||||
$stmt = $this->_doExecute();
|
|
||||||
|
|
||||||
$result = $this->_em->getHydrator($this->_hydrationMode)->hydrateAll(
|
|
||||||
$stmt, $this->_resultSetMapping, $this->_hints
|
|
||||||
);
|
|
||||||
|
|
||||||
$cacheDriver->save($hash, array($key => $result), $this->_resultCacheTTL);
|
|
||||||
|
|
||||||
return $result;
|
|
||||||
} else {
|
|
||||||
// Cache hit.
|
|
||||||
return $cached[$key];
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$stmt = $this->_doExecute();
|
$stmt = $this->_doExecute();
|
||||||
|
|
||||||
if (is_numeric($stmt)) {
|
if (is_numeric($stmt)) {
|
||||||
|
@ -627,43 +602,23 @@ abstract class AbstractQuery
|
||||||
*/
|
*/
|
||||||
public function setResultCacheId($id)
|
public function setResultCacheId($id)
|
||||||
{
|
{
|
||||||
$this->_resultCacheId = $id;
|
if ($this->_queryCacheProfile) {
|
||||||
|
$this->_queryCacheProfile = $this->_queryCacheProfile->setCacheKey($id);
|
||||||
|
} else {
|
||||||
|
$this->_queryCacheProfile = new QueryCacheProfile(0, $id);
|
||||||
|
}
|
||||||
return $this;
|
return $this;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get the result cache id to use to store the result set cache entry.
|
* Get the result cache id to use to store the result set cache entry if set.
|
||||||
* Will return the configured id if it exists otherwise a hash will be
|
|
||||||
* automatically generated for you.
|
|
||||||
*
|
*
|
||||||
* @return array ($key, $hash)
|
* @deprecated
|
||||||
|
* @return string
|
||||||
*/
|
*/
|
||||||
protected function getResultCacheId()
|
public function getResultCacheId()
|
||||||
{
|
{
|
||||||
if ($this->_resultCacheId) {
|
return $this->_queryCacheProfile ? $this->_queryCacheProfile->getCacheKey() : null;
|
||||||
return array($this->_resultCacheId, $this->_resultCacheId);
|
|
||||||
} else {
|
|
||||||
$params = $this->_params;
|
|
||||||
foreach ($params AS $key => $value) {
|
|
||||||
if (is_object($value) && $this->_em->getMetadataFactory()->hasMetadataFor(get_class($value))) {
|
|
||||||
if ($this->_em->getUnitOfWork()->getEntityState($value) == UnitOfWork::STATE_MANAGED) {
|
|
||||||
$idValues = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
|
||||||
} else {
|
|
||||||
$class = $this->_em->getClassMetadata(get_class($value));
|
|
||||||
$idValues = $class->getIdentifierValues($value);
|
|
||||||
}
|
|
||||||
$params[$key] = $idValues;
|
|
||||||
} else {
|
|
||||||
$params[$key] = $value;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
$sql = $this->getSql();
|
|
||||||
ksort($this->_hints);
|
|
||||||
$key = implode(";", (array)$sql) . var_export($params, true) .
|
|
||||||
var_export($this->_hints, true)."&hydrationMode=".$this->_hydrationMode;
|
|
||||||
return array($key, md5($key));
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|
|
@ -209,27 +209,6 @@ class Configuration extends \Doctrine\DBAL\Configuration
|
||||||
$this->_attributes['metadataDriverImpl'] : null;
|
$this->_attributes['metadataDriverImpl'] : null;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* Gets the cache driver implementation that is used for query result caching.
|
|
||||||
*
|
|
||||||
* @return \Doctrine\Common\Cache\Cache
|
|
||||||
*/
|
|
||||||
public function getResultCacheImpl()
|
|
||||||
{
|
|
||||||
return isset($this->_attributes['resultCacheImpl']) ?
|
|
||||||
$this->_attributes['resultCacheImpl'] : null;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* Sets the cache driver implementation that is used for query result caching.
|
|
||||||
*
|
|
||||||
* @param \Doctrine\Common\Cache\Cache $cacheImpl
|
|
||||||
*/
|
|
||||||
public function setResultCacheImpl(Cache $cacheImpl)
|
|
||||||
{
|
|
||||||
$this->_attributes['resultCacheImpl'] = $cacheImpl;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the cache driver implementation that is used for the query cache (SQL cache).
|
* Gets the cache driver implementation that is used for the query cache (SQL cache).
|
||||||
*
|
*
|
||||||
|
|
|
@ -325,13 +325,17 @@ class EntityManager implements ObjectManager
|
||||||
* This effectively synchronizes the in-memory state of managed objects with the
|
* This effectively synchronizes the in-memory state of managed objects with the
|
||||||
* database.
|
* database.
|
||||||
*
|
*
|
||||||
|
* If an entity is explicitly passed to this method only this entity and
|
||||||
|
* the cascade-persist semantics + scheduled inserts/removals are synchronized.
|
||||||
|
*
|
||||||
|
* @param object $entity
|
||||||
* @throws Doctrine\ORM\OptimisticLockException If a version check on an entity that
|
* @throws Doctrine\ORM\OptimisticLockException If a version check on an entity that
|
||||||
* makes use of optimistic locking fails.
|
* makes use of optimistic locking fails.
|
||||||
*/
|
*/
|
||||||
public function flush()
|
public function flush($entity = null)
|
||||||
{
|
{
|
||||||
$this->errorIfClosed();
|
$this->errorIfClosed();
|
||||||
$this->unitOfWork->commit();
|
$this->unitOfWork->commit($entity);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|
|
@ -19,14 +19,16 @@
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
use \Doctrine\Common\EventSubscriber;
|
use Doctrine\Common\EventSubscriber;
|
||||||
use \LogicException;
|
use LogicException;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Delegate events only for certain entities they are registered for.
|
* Delegate events only for certain entities they are registered for.
|
||||||
*
|
*
|
||||||
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
* @link www.doctrine-project.org
|
||||||
* @since 2.2
|
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
||||||
|
* @author Guilherme Blanco <guilhermeblanco@hotmail.com>
|
||||||
|
* @since 2.2
|
||||||
*/
|
*/
|
||||||
class EntityEventDelegator implements EventSubscriber
|
class EntityEventDelegator implements EventSubscriber
|
||||||
{
|
{
|
||||||
|
@ -54,17 +56,23 @@ class EntityEventDelegator implements EventSubscriber
|
||||||
public function addEventListener($events, $entities, $listener)
|
public function addEventListener($events, $entities, $listener)
|
||||||
{
|
{
|
||||||
if ($this->frozen) {
|
if ($this->frozen) {
|
||||||
throw new LogicException("Cannot add event listeners after EntityEventDelegator::getSubscribedEvents() " .
|
throw new LogicException(
|
||||||
"is called once. This happens when you register the delegator with the event manager.");
|
"Cannot add event listeners after EntityEventDelegator::getSubscribedEvents() " .
|
||||||
|
"is called once. This happens when you register the delegator with the event manager."
|
||||||
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Picks the hash code related to that listener
|
// Picks the hash code related to that listener
|
||||||
$hash = spl_object_hash($listener);
|
$hash = spl_object_hash($listener);
|
||||||
|
$entities = array_flip((array) $entities);
|
||||||
|
|
||||||
foreach ((array) $events as $event) {
|
foreach ((array) $events as $event) {
|
||||||
// Overrides listener if a previous one was associated already
|
// Overrides listener if a previous one was associated already
|
||||||
// Prevents duplicate listeners on same event (same instance only)
|
// Prevents duplicate listeners on same event (same instance only)
|
||||||
$this->listeners[$event][$hash] = array('listener' => $listener, 'entities' => array_flip((array)$entities));
|
$this->listeners[$event][$hash] = array(
|
||||||
|
'listener' => $listener,
|
||||||
|
'entities' => $entities
|
||||||
|
);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -73,6 +81,7 @@ class EntityEventDelegator implements EventSubscriber
|
||||||
* interested in and added as a listener for these events.
|
* interested in and added as a listener for these events.
|
||||||
*
|
*
|
||||||
* @param Doctrine\Common\EventSubscriber $subscriber The subscriber.
|
* @param Doctrine\Common\EventSubscriber $subscriber The subscriber.
|
||||||
|
* @param array $entities
|
||||||
*/
|
*/
|
||||||
public function addEventSubscriber(EventSubscriber $subscriber, $entities)
|
public function addEventSubscriber(EventSubscriber $subscriber, $entities)
|
||||||
{
|
{
|
||||||
|
@ -87,24 +96,27 @@ class EntityEventDelegator implements EventSubscriber
|
||||||
public function getSubscribedEvents()
|
public function getSubscribedEvents()
|
||||||
{
|
{
|
||||||
$this->frozen = true;
|
$this->frozen = true;
|
||||||
|
|
||||||
return array_keys($this->listeners);
|
return array_keys($this->listeners);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Delegate the event to an appropriate listener
|
* Delegate the event to an appropriate listener
|
||||||
*
|
*
|
||||||
* @param $eventName
|
* @param string $eventName
|
||||||
* @param $event
|
* @param array $args
|
||||||
* @return void
|
* @return void
|
||||||
*/
|
*/
|
||||||
public function __call($eventName, $args)
|
public function __call($eventName, $args)
|
||||||
{
|
{
|
||||||
$event = $args[0];
|
$event = $args[0];
|
||||||
|
|
||||||
foreach ($this->listeners[$eventName] AS $listenerData) {
|
foreach ($this->listeners[$eventName] AS $listenerData) {
|
||||||
$class = get_class($event->getEntity());
|
$class = get_class($event->getEntity());
|
||||||
if (isset($listenerData['entities'][$class])) {
|
|
||||||
$listenerData['listener']->$eventName($event);
|
if ( ! isset($listenerData['entities'][$class])) continue;
|
||||||
}
|
|
||||||
|
$listenerData['listener']->$eventName($event);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -19,42 +19,59 @@
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
|
use Doctrine\Common\EventArgs;
|
||||||
|
use Doctrine\ORM\EntityManager;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Lifecycle Events are triggered by the UnitOfWork during lifecycle transitions
|
* Lifecycle Events are triggered by the UnitOfWork during lifecycle transitions
|
||||||
* of entities.
|
* of entities.
|
||||||
*
|
*
|
||||||
* @since 2.0
|
* @link www.doctrine-project.org
|
||||||
|
* @since 2.0
|
||||||
* @author Roman Borschel <roman@code-factory.de>
|
* @author Roman Borschel <roman@code-factory.de>
|
||||||
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
||||||
*/
|
*/
|
||||||
class LifecycleEventArgs extends \Doctrine\Common\EventArgs
|
class LifecycleEventArgs extends EventArgs
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* @var EntityManager
|
* @var Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
private $_em;
|
private $em;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @var object
|
* @var object
|
||||||
*/
|
*/
|
||||||
private $_entity;
|
private $entity;
|
||||||
|
|
||||||
public function __construct($entity, $em)
|
/**
|
||||||
|
* Constructor
|
||||||
|
*
|
||||||
|
* @param object $entity
|
||||||
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
|
*/
|
||||||
|
public function __construct($entity, EntityManager $em)
|
||||||
{
|
{
|
||||||
$this->_entity = $entity;
|
$this->entity = $entity;
|
||||||
$this->_em = $em;
|
$this->em = $em;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Retireve associated Entity.
|
||||||
|
*
|
||||||
|
* @return object
|
||||||
|
*/
|
||||||
public function getEntity()
|
public function getEntity()
|
||||||
{
|
{
|
||||||
return $this->_entity;
|
return $this->entity;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return EntityManager
|
* Retrieve associated EntityManager.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
public function getEntityManager()
|
public function getEntityManager()
|
||||||
{
|
{
|
||||||
return $this->_em;
|
return $this->em;
|
||||||
}
|
}
|
||||||
}
|
}
|
|
@ -1,9 +1,25 @@
|
||||||
<?php
|
<?php
|
||||||
|
/*
|
||||||
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
|
||||||
|
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
|
||||||
|
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
|
||||||
|
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
|
||||||
|
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
|
||||||
|
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
|
||||||
|
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
||||||
|
*
|
||||||
|
* This software consists of voluntary contributions made by many individuals
|
||||||
|
* and is licensed under the LGPL. For more information, see
|
||||||
|
* <http://www.doctrine-project.org>.
|
||||||
|
*/
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
use Doctrine\Common\EventArgs;
|
use Doctrine\Common\EventArgs;
|
||||||
|
|
||||||
use Doctrine\ORM\Mapping\ClassMetadataInfo;
|
use Doctrine\ORM\Mapping\ClassMetadataInfo;
|
||||||
use Doctrine\ORM\EntityManager;
|
use Doctrine\ORM\EntityManager;
|
||||||
|
|
||||||
|
@ -11,32 +27,36 @@ use Doctrine\ORM\EntityManager;
|
||||||
* Class that holds event arguments for a loadMetadata event.
|
* Class that holds event arguments for a loadMetadata event.
|
||||||
*
|
*
|
||||||
* @author Jonathan H. Wage <jonwage@gmail.com>
|
* @author Jonathan H. Wage <jonwage@gmail.com>
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
*/
|
*/
|
||||||
class LoadClassMetadataEventArgs extends EventArgs
|
class LoadClassMetadataEventArgs extends EventArgs
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* @var ClassMetadata
|
* @var Doctrine\ORM\Mapping\ClassMetadata
|
||||||
*/
|
*/
|
||||||
private $classMetadata;
|
private $classMetadata;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @var EntityManager
|
* @var Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
private $em;
|
private $em;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @param ClassMetadataInfo $classMetadata
|
* Constructor.
|
||||||
* @param EntityManager $em
|
*
|
||||||
|
* @param Doctrine\ORM\Mapping\ClassMetadataInfo $classMetadata
|
||||||
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
*/
|
*/
|
||||||
public function __construct(ClassMetadataInfo $classMetadata, EntityManager $em)
|
public function __construct(ClassMetadataInfo $classMetadata, EntityManager $em)
|
||||||
{
|
{
|
||||||
$this->classMetadata = $classMetadata;
|
$this->classMetadata = $classMetadata;
|
||||||
$this->em = $em;
|
$this->em = $em;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return ClassMetadataInfo
|
* Retrieve associated ClassMetadata.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\Mapping\ClassMetadataInfo
|
||||||
*/
|
*/
|
||||||
public function getClassMetadata()
|
public function getClassMetadata()
|
||||||
{
|
{
|
||||||
|
@ -44,7 +64,9 @@ class LoadClassMetadataEventArgs extends EventArgs
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return EntityManager
|
* Retrieve associated EntityManager.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
public function getEntityManager()
|
public function getEntityManager()
|
||||||
{
|
{
|
||||||
|
|
|
@ -15,7 +15,7 @@
|
||||||
* This software consists of voluntary contributions made by many individuals
|
* This software consists of voluntary contributions made by many individuals
|
||||||
* and is licensed under the LGPL. For more information, see
|
* and is licensed under the LGPL. For more information, see
|
||||||
* <http://www.doctrine-project.org>.
|
* <http://www.doctrine-project.org>.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
|
@ -23,16 +23,15 @@ namespace Doctrine\ORM\Event;
|
||||||
* Provides event arguments for the onClear event.
|
* Provides event arguments for the onClear event.
|
||||||
*
|
*
|
||||||
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
* @link www.doctrine-project.com
|
* @link www.doctrine-project.org
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
* @version $Revision$
|
|
||||||
* @author Roman Borschel <roman@code-factory.de>
|
* @author Roman Borschel <roman@code-factory.de>
|
||||||
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
||||||
*/
|
*/
|
||||||
class OnClearEventArgs extends \Doctrine\Common\EventArgs
|
class OnClearEventArgs extends \Doctrine\Common\EventArgs
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* @var \Doctrine\ORM\EntityManager
|
* @var Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
private $em;
|
private $em;
|
||||||
|
|
||||||
|
@ -42,16 +41,21 @@ class OnClearEventArgs extends \Doctrine\Common\EventArgs
|
||||||
private $entityClass;
|
private $entityClass;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @param \Doctrine\ORM\EntityManager $em
|
* Constructor.
|
||||||
|
*
|
||||||
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
|
* @param string $entityClass Optional entity class
|
||||||
*/
|
*/
|
||||||
public function __construct($em, $entityClass = null)
|
public function __construct($em, $entityClass = null)
|
||||||
{
|
{
|
||||||
$this->em = $em;
|
$this->em = $em;
|
||||||
$this->entityClass = $entityClass;
|
$this->entityClass = $entityClass;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return \Doctrine\ORM\EntityManager
|
* Retrieve associated EntityManager.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
public function getEntityManager()
|
public function getEntityManager()
|
||||||
{
|
{
|
||||||
|
@ -75,6 +79,6 @@ class OnClearEventArgs extends \Doctrine\Common\EventArgs
|
||||||
*/
|
*/
|
||||||
public function clearsAllEntities()
|
public function clearsAllEntities()
|
||||||
{
|
{
|
||||||
return $this->entityClass === null;
|
return ($this->entityClass === null);
|
||||||
}
|
}
|
||||||
}
|
}
|
|
@ -21,37 +21,45 @@
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
|
use Doctrine\ORM\EntityManager;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Provides event arguments for the preFlush event.
|
* Provides event arguments for the preFlush event.
|
||||||
*
|
*
|
||||||
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
* @link www.doctrine-project.com
|
* @link www.doctrine-project.org
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
* @version $Revision$
|
|
||||||
* @author Roman Borschel <roman@code-factory.de>
|
* @author Roman Borschel <roman@code-factory.de>
|
||||||
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
||||||
*/
|
*/
|
||||||
class OnFlushEventArgs extends \Doctrine\Common\EventArgs
|
class OnFlushEventArgs extends \Doctrine\Common\EventArgs
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* @var EntityManager
|
* @var Doctirne\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
private $_em;
|
private $em;
|
||||||
|
|
||||||
//private $_entitiesToPersist = array();
|
//private $entitiesToPersist = array();
|
||||||
//private $_entitiesToRemove = array();
|
//private $entitiesToRemove = array();
|
||||||
|
|
||||||
public function __construct($em)
|
/**
|
||||||
|
* Constructor.
|
||||||
|
*
|
||||||
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
|
*/
|
||||||
|
public function __construct(EntityManager $em)
|
||||||
{
|
{
|
||||||
$this->_em = $em;
|
$this->em = $em;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return EntityManager
|
* Retrieve associated EntityManager.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\EntityManager
|
||||||
*/
|
*/
|
||||||
public function getEntityManager()
|
public function getEntityManager()
|
||||||
{
|
{
|
||||||
return $this->_em;
|
return $this->em;
|
||||||
}
|
}
|
||||||
|
|
||||||
/*
|
/*
|
||||||
|
|
61
lib/Doctrine/ORM/Event/PostFlushEventArgs.php
Normal file
61
lib/Doctrine/ORM/Event/PostFlushEventArgs.php
Normal file
|
@ -0,0 +1,61 @@
|
||||||
|
<?php
|
||||||
|
/*
|
||||||
|
* $Id$
|
||||||
|
*
|
||||||
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
|
||||||
|
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
|
||||||
|
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
|
||||||
|
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
|
||||||
|
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
|
||||||
|
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
|
||||||
|
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
||||||
|
*
|
||||||
|
* This software consists of voluntary contributions made by many individuals
|
||||||
|
* and is licensed under the LGPL. For more information, see
|
||||||
|
* <http://www.doctrine-project.org>.
|
||||||
|
*/
|
||||||
|
|
||||||
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
|
use Doctrine\ORM\EntityManager;
|
||||||
|
use Doctrine\Common\EventArgs;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Provides event arguments for the postFlush event.
|
||||||
|
*
|
||||||
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
|
* @link www.doctrine-project.org
|
||||||
|
* @since 2.0
|
||||||
|
* @author Daniel Freudenberger <df@rebuy.de>
|
||||||
|
*/
|
||||||
|
class PostFlushEventArgs extends EventArgs
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* @var Doctrine\ORM\EntityManager
|
||||||
|
*/
|
||||||
|
private $em;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Constructor.
|
||||||
|
*
|
||||||
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
|
*/
|
||||||
|
public function __construct(EntityManager $em)
|
||||||
|
{
|
||||||
|
$this->em = $em;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Retrieve associated EntityManager.
|
||||||
|
*
|
||||||
|
* @return Doctrine\ORM\EntityManager
|
||||||
|
*/
|
||||||
|
public function getEntityManager()
|
||||||
|
{
|
||||||
|
return $this->em;
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,4 +1,23 @@
|
||||||
<?php
|
<?php
|
||||||
|
/*
|
||||||
|
* $Id$
|
||||||
|
*
|
||||||
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
|
||||||
|
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
|
||||||
|
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
|
||||||
|
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
|
||||||
|
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
|
||||||
|
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
|
||||||
|
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
|
||||||
|
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
|
||||||
|
*
|
||||||
|
* This software consists of voluntary contributions made by many individuals
|
||||||
|
* and is licensed under the LGPL. For more information, see
|
||||||
|
* <http://www.doctrine-project.org>.
|
||||||
|
*/
|
||||||
|
|
||||||
namespace Doctrine\ORM\Event;
|
namespace Doctrine\ORM\Event;
|
||||||
|
|
||||||
|
@ -8,42 +27,50 @@ use Doctrine\Common\EventArgs,
|
||||||
/**
|
/**
|
||||||
* Class that holds event arguments for a preInsert/preUpdate event.
|
* Class that holds event arguments for a preInsert/preUpdate event.
|
||||||
*
|
*
|
||||||
|
* @author Guilherme Blanco <guilehrmeblanco@hotmail.com>
|
||||||
* @author Roman Borschel <roman@code-factory.org>
|
* @author Roman Borschel <roman@code-factory.org>
|
||||||
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
* @author Benjamin Eberlei <kontakt@beberlei.de>
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
*/
|
*/
|
||||||
class PreUpdateEventArgs extends LifecycleEventArgs
|
class PreUpdateEventArgs extends LifecycleEventArgs
|
||||||
{
|
{
|
||||||
/**
|
/**
|
||||||
* @var array
|
* @var array
|
||||||
*/
|
*/
|
||||||
private $_entityChangeSet;
|
private $entityChangeSet;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
*
|
* Constructor.
|
||||||
|
*
|
||||||
* @param object $entity
|
* @param object $entity
|
||||||
* @param EntityManager $em
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
* @param array $changeSet
|
* @param array $changeSet
|
||||||
*/
|
*/
|
||||||
public function __construct($entity, $em, array &$changeSet)
|
public function __construct($entity, EntityManager $em, array &$changeSet)
|
||||||
{
|
{
|
||||||
parent::__construct($entity, $em);
|
parent::__construct($entity, $em);
|
||||||
$this->_entityChangeSet = &$changeSet;
|
|
||||||
}
|
$this->entityChangeSet = &$changeSet;
|
||||||
|
|
||||||
public function getEntityChangeSet()
|
|
||||||
{
|
|
||||||
return $this->_entityChangeSet;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Field has a changeset?
|
* Retrieve entity changeset.
|
||||||
|
*
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
public function getEntityChangeSet()
|
||||||
|
{
|
||||||
|
return $this->entityChangeSet;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Check if field has a changeset.
|
||||||
*
|
*
|
||||||
* @return bool
|
* @return boolean
|
||||||
*/
|
*/
|
||||||
public function hasChangedField($field)
|
public function hasChangedField($field)
|
||||||
{
|
{
|
||||||
return isset($this->_entityChangeSet[$field]);
|
return isset($this->entityChangeSet[$field]);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -54,9 +81,9 @@ class PreUpdateEventArgs extends LifecycleEventArgs
|
||||||
*/
|
*/
|
||||||
public function getOldValue($field)
|
public function getOldValue($field)
|
||||||
{
|
{
|
||||||
$this->_assertValidField($field);
|
$this->assertValidField($field);
|
||||||
|
|
||||||
return $this->_entityChangeSet[$field][0];
|
return $this->entityChangeSet[$field][0];
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -67,9 +94,9 @@ class PreUpdateEventArgs extends LifecycleEventArgs
|
||||||
*/
|
*/
|
||||||
public function getNewValue($field)
|
public function getNewValue($field)
|
||||||
{
|
{
|
||||||
$this->_assertValidField($field);
|
$this->assertValidField($field);
|
||||||
|
|
||||||
return $this->_entityChangeSet[$field][1];
|
return $this->entityChangeSet[$field][1];
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -80,18 +107,24 @@ class PreUpdateEventArgs extends LifecycleEventArgs
|
||||||
*/
|
*/
|
||||||
public function setNewValue($field, $value)
|
public function setNewValue($field, $value)
|
||||||
{
|
{
|
||||||
$this->_assertValidField($field);
|
$this->assertValidField($field);
|
||||||
|
|
||||||
$this->_entityChangeSet[$field][1] = $value;
|
$this->entityChangeSet[$field][1] = $value;
|
||||||
}
|
}
|
||||||
|
|
||||||
private function _assertValidField($field)
|
/**
|
||||||
|
* Assert the field exists in changeset.
|
||||||
|
*
|
||||||
|
* @param string $field
|
||||||
|
*/
|
||||||
|
private function assertValidField($field)
|
||||||
{
|
{
|
||||||
if (!isset($this->_entityChangeSet[$field])) {
|
if ( ! isset($this->entityChangeSet[$field])) {
|
||||||
throw new \InvalidArgumentException(
|
throw new \InvalidArgumentException(sprintf(
|
||||||
"Field '".$field."' is not a valid field of the entity ".
|
'Field "%s" is not a valid field of the entity "%s" in PreUpdateEventArgs.',
|
||||||
"'".get_class($this->getEntity())."' in PreUpdateEventArgs."
|
$field,
|
||||||
);
|
get_class($this->getEntity())
|
||||||
|
));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -120,6 +120,17 @@ final class Events
|
||||||
*/
|
*/
|
||||||
const onFlush = 'onFlush';
|
const onFlush = 'onFlush';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* The postFlush event occurs when the EntityManager#flush() operation is invoked and
|
||||||
|
* after all actual database operations are executed successfully. The event is only raised if there is
|
||||||
|
* actually something to do for the underlying UnitOfWork. If nothing needs to be done,
|
||||||
|
* the postFlush event is not raised. The event won't be raised if an error occurs during the
|
||||||
|
* flush operation.
|
||||||
|
*
|
||||||
|
* @var string
|
||||||
|
*/
|
||||||
|
const postFlush = 'postFlush';
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The onClear event occurs when the EntityManager#clear() operation is invoked,
|
* The onClear event occurs when the EntityManager#clear() operation is invoked,
|
||||||
* after all references to entities have been removed from the unit of work.
|
* after all references to entities have been removed from the unit of work.
|
||||||
|
|
|
@ -62,7 +62,7 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
if (!isset($this->_hints['deferEagerLoad'])) {
|
if (!isset($this->_hints['deferEagerLoad'])) {
|
||||||
$this->_hints['deferEagerLoad'] = true;
|
$this->_hints['deferEagerLoad'] = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach ($this->_rsm->aliasMap as $dqlAlias => $className) {
|
foreach ($this->_rsm->aliasMap as $dqlAlias => $className) {
|
||||||
$this->_identifierMap[$dqlAlias] = array();
|
$this->_identifierMap[$dqlAlias] = array();
|
||||||
$this->_idTemplate[$dqlAlias] = '';
|
$this->_idTemplate[$dqlAlias] = '';
|
||||||
|
@ -116,13 +116,13 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
protected function _cleanup()
|
protected function _cleanup()
|
||||||
{
|
{
|
||||||
$eagerLoad = (isset($this->_hints['deferEagerLoad'])) && $this->_hints['deferEagerLoad'] == true;
|
$eagerLoad = (isset($this->_hints['deferEagerLoad'])) && $this->_hints['deferEagerLoad'] == true;
|
||||||
|
|
||||||
parent::_cleanup();
|
parent::_cleanup();
|
||||||
$this->_identifierMap =
|
$this->_identifierMap =
|
||||||
$this->_initializedCollections =
|
$this->_initializedCollections =
|
||||||
$this->_existingCollections =
|
$this->_existingCollections =
|
||||||
$this->_resultPointers = array();
|
$this->_resultPointers = array();
|
||||||
|
|
||||||
if ($eagerLoad) {
|
if ($eagerLoad) {
|
||||||
$this->_em->getUnitOfWork()->triggerEagerLoads();
|
$this->_em->getUnitOfWork()->triggerEagerLoads();
|
||||||
}
|
}
|
||||||
|
@ -192,7 +192,7 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets an entity instance.
|
* Gets an entity instance.
|
||||||
*
|
*
|
||||||
* @param $data The instance data.
|
* @param $data The instance data.
|
||||||
* @param $dqlAlias The DQL alias of the entity's class.
|
* @param $dqlAlias The DQL alias of the entity's class.
|
||||||
* @return object The entity.
|
* @return object The entity.
|
||||||
|
@ -205,12 +205,12 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
$className = $this->_ce[$className]->discriminatorMap[$data[$discrColumn]];
|
$className = $this->_ce[$className]->discriminatorMap[$data[$discrColumn]];
|
||||||
unset($data[$discrColumn]);
|
unset($data[$discrColumn]);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (isset($this->_hints[Query::HINT_REFRESH_ENTITY]) && isset($this->_rootAliases[$dqlAlias])) {
|
if (isset($this->_hints[Query::HINT_REFRESH_ENTITY]) && isset($this->_rootAliases[$dqlAlias])) {
|
||||||
$class = $this->_ce[$className];
|
$class = $this->_ce[$className];
|
||||||
$this->registerManaged($class, $this->_hints[Query::HINT_REFRESH_ENTITY], $data);
|
$this->registerManaged($class, $this->_hints[Query::HINT_REFRESH_ENTITY], $data);
|
||||||
}
|
}
|
||||||
|
|
||||||
return $this->_uow->createEntity($className, $data, $this->_hints);
|
return $this->_uow->createEntity($className, $data, $this->_hints);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -240,7 +240,7 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
* Gets a ClassMetadata instance from the local cache.
|
* Gets a ClassMetadata instance from the local cache.
|
||||||
* If the instance is not yet in the local cache, it is loaded into the
|
* If the instance is not yet in the local cache, it is loaded into the
|
||||||
* local cache.
|
* local cache.
|
||||||
*
|
*
|
||||||
* @param string $className The name of the class.
|
* @param string $className The name of the class.
|
||||||
* @return ClassMetadata
|
* @return ClassMetadata
|
||||||
*/
|
*/
|
||||||
|
@ -254,21 +254,21 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Hydrates a single row in an SQL result set.
|
* Hydrates a single row in an SQL result set.
|
||||||
*
|
*
|
||||||
* @internal
|
* @internal
|
||||||
* First, the data of the row is split into chunks where each chunk contains data
|
* First, the data of the row is split into chunks where each chunk contains data
|
||||||
* that belongs to a particular component/class. Afterwards, all these chunks
|
* that belongs to a particular component/class. Afterwards, all these chunks
|
||||||
* are processed, one after the other. For each chunk of class data only one of the
|
* are processed, one after the other. For each chunk of class data only one of the
|
||||||
* following code paths is executed:
|
* following code paths is executed:
|
||||||
*
|
*
|
||||||
* Path A: The data chunk belongs to a joined/associated object and the association
|
* Path A: The data chunk belongs to a joined/associated object and the association
|
||||||
* is collection-valued.
|
* is collection-valued.
|
||||||
* Path B: The data chunk belongs to a joined/associated object and the association
|
* Path B: The data chunk belongs to a joined/associated object and the association
|
||||||
* is single-valued.
|
* is single-valued.
|
||||||
* Path C: The data chunk belongs to a root result element/object that appears in the topmost
|
* Path C: The data chunk belongs to a root result element/object that appears in the topmost
|
||||||
* level of the hydrated result. A typical example are the objects of the type
|
* level of the hydrated result. A typical example are the objects of the type
|
||||||
* specified by the FROM clause in a DQL query.
|
* specified by the FROM clause in a DQL query.
|
||||||
*
|
*
|
||||||
* @param array $data The data of the row to process.
|
* @param array $data The data of the row to process.
|
||||||
* @param array $cache The cache to use.
|
* @param array $cache The cache to use.
|
||||||
* @param array $result The result array to fill.
|
* @param array $result The result array to fill.
|
||||||
|
@ -369,10 +369,7 @@ class ObjectHydrator extends AbstractHydrator
|
||||||
$this->_resultPointers[$dqlAlias] = $reflFieldValue[$index];
|
$this->_resultPointers[$dqlAlias] = $reflFieldValue[$index];
|
||||||
}
|
}
|
||||||
} else if ( ! $reflField->getValue($parentObject)) {
|
} else if ( ! $reflField->getValue($parentObject)) {
|
||||||
$coll = new PersistentCollection($this->_em, $this->_ce[$entityName], new ArrayCollection);
|
$reflFieldValue = $this->_initRelatedCollection($parentObject, $parentClass, $relationField);
|
||||||
$coll->setOwner($parentObject, $relation);
|
|
||||||
$reflField->setValue($parentObject, $coll);
|
|
||||||
$this->_uow->setOriginalEntityProperty($oid, $relationField, $coll);
|
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
// PATH B: Single-valued association
|
// PATH B: Single-valued association
|
||||||
|
|
|
@ -494,6 +494,10 @@ class ClassMetadataFactory implements ClassMetadataFactoryInterface
|
||||||
*/
|
*/
|
||||||
public function isTransient($class)
|
public function isTransient($class)
|
||||||
{
|
{
|
||||||
|
if ( ! $this->initialized) {
|
||||||
|
$this->initialize();
|
||||||
|
}
|
||||||
|
|
||||||
return $this->driver->isTransient($class);
|
return $this->driver->isTransient($class);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -318,7 +318,7 @@ class ClassMetadataInfo implements ClassMetadata
|
||||||
public $discriminatorMap = array();
|
public $discriminatorMap = array();
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* READ-ONLY: The definition of the descriminator column used in JOINED and SINGLE_TABLE
|
* READ-ONLY: The definition of the discriminator column used in JOINED and SINGLE_TABLE
|
||||||
* inheritance mappings.
|
* inheritance mappings.
|
||||||
*
|
*
|
||||||
* @var array
|
* @var array
|
||||||
|
@ -1111,25 +1111,25 @@ class ClassMetadataInfo implements ClassMetadata
|
||||||
*/
|
*/
|
||||||
public function getIdentifierColumnNames()
|
public function getIdentifierColumnNames()
|
||||||
{
|
{
|
||||||
if ($this->isIdentifierComposite) {
|
$columnNames = array();
|
||||||
$columnNames = array();
|
|
||||||
foreach ($this->identifier as $idField) {
|
foreach ($this->identifier as $idProperty) {
|
||||||
if (isset($this->associationMappings[$idField])) {
|
if (isset($this->fieldMappings[$idProperty])) {
|
||||||
// no composite pk as fk entity assumption:
|
$columnNames[] = $this->fieldMappings[$idProperty]['columnName'];
|
||||||
$columnNames[] = $this->associationMappings[$idField]['joinColumns'][0]['name'];
|
|
||||||
} else {
|
continue;
|
||||||
$columnNames[] = $this->fieldMappings[$idField]['columnName'];
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
return $columnNames;
|
|
||||||
} else if(isset($this->fieldMappings[$this->identifier[0]])) {
|
// Association defined as Id field
|
||||||
return array($this->fieldMappings[$this->identifier[0]]['columnName']);
|
$joinColumns = $this->associationMappings[$idProperty]['joinColumns'];
|
||||||
} else {
|
$assocColumnNames = array_map(function ($joinColumn) { return $joinColumn['name']; }, $joinColumns);
|
||||||
// no composite pk as fk entity assumption:
|
|
||||||
return array($this->associationMappings[$this->identifier[0]]['joinColumns'][0]['name']);
|
$columnNames = array_merge($columnNames, $assocColumnNames);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
return $columnNames;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Sets the type of Id generator to use for the mapped class.
|
* Sets the type of Id generator to use for the mapped class.
|
||||||
*/
|
*/
|
||||||
|
@ -1904,6 +1904,42 @@ class ClassMetadataInfo implements ClassMetadata
|
||||||
return $this->name;
|
return $this->name;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Gets the (possibly quoted) identifier column names for safe use in an SQL statement.
|
||||||
|
*
|
||||||
|
* @param AbstractPlatform $platform
|
||||||
|
* @return array
|
||||||
|
*/
|
||||||
|
public function getQuotedIdentifierColumnNames($platform)
|
||||||
|
{
|
||||||
|
$quotedColumnNames = array();
|
||||||
|
|
||||||
|
foreach ($this->identifier as $idProperty) {
|
||||||
|
if (isset($this->fieldMappings[$idProperty])) {
|
||||||
|
$quotedColumnNames[] = isset($this->fieldMappings[$idProperty]['quoted'])
|
||||||
|
? $platform->quoteIdentifier($this->fieldMappings[$idProperty]['columnName'])
|
||||||
|
: $this->fieldMappings[$idProperty]['columnName'];
|
||||||
|
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Association defined as Id field
|
||||||
|
$joinColumns = $this->associationMappings[$idProperty]['joinColumns'];
|
||||||
|
$assocQuotedColumnNames = array_map(
|
||||||
|
function ($joinColumn) {
|
||||||
|
return isset($joinColumn['quoted'])
|
||||||
|
? $platform->quoteIdentifier($joinColumn['name'])
|
||||||
|
: $joinColumn['name'];
|
||||||
|
},
|
||||||
|
$joinColumns
|
||||||
|
);
|
||||||
|
|
||||||
|
$quotedColumnNames = array_merge($quotedColumnNames, $assocQuotedColumnNames);
|
||||||
|
}
|
||||||
|
|
||||||
|
return $quotedColumnNames;
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the (possibly quoted) column name of a mapped field for safe use
|
* Gets the (possibly quoted) column name of a mapped field for safe use
|
||||||
* in an SQL statement.
|
* in an SQL statement.
|
||||||
|
@ -1914,7 +1950,9 @@ class ClassMetadataInfo implements ClassMetadata
|
||||||
*/
|
*/
|
||||||
public function getQuotedColumnName($field, $platform)
|
public function getQuotedColumnName($field, $platform)
|
||||||
{
|
{
|
||||||
return isset($this->fieldMappings[$field]['quoted']) ? $platform->quoteIdentifier($this->fieldMappings[$field]['columnName']) : $this->fieldMappings[$field]['columnName'];
|
return isset($this->fieldMappings[$field]['quoted'])
|
||||||
|
? $platform->quoteIdentifier($this->fieldMappings[$field]['columnName'])
|
||||||
|
: $this->fieldMappings[$field]['columnName'];
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|
|
@ -288,7 +288,7 @@ class MappingException extends \Doctrine\ORM\ORMException
|
||||||
public static function mappedClassNotPartOfDiscriminatorMap($className, $rootClassName)
|
public static function mappedClassNotPartOfDiscriminatorMap($className, $rootClassName)
|
||||||
{
|
{
|
||||||
return new self(
|
return new self(
|
||||||
"Entity '" . $className . "' has to be part of the descriminator map of '" . $rootClassName . "' " .
|
"Entity '" . $className . "' has to be part of the discriminator map of '" . $rootClassName . "' " .
|
||||||
"to be properly mapped in the inheritance hierachy. Alternatively you can make '".$className."' an abstract class " .
|
"to be properly mapped in the inheritance hierachy. Alternatively you can make '".$className."' an abstract class " .
|
||||||
"to avoid this exception from occuring."
|
"to avoid this exception from occuring."
|
||||||
);
|
);
|
||||||
|
|
|
@ -57,17 +57,17 @@ final class NativeQuery extends AbstractQuery
|
||||||
*/
|
*/
|
||||||
protected function _doExecute()
|
protected function _doExecute()
|
||||||
{
|
{
|
||||||
$stmt = $this->_em->getConnection()->prepare($this->_sql);
|
|
||||||
$params = $this->_params;
|
$params = $this->_params;
|
||||||
foreach ($params as $key => $value) {
|
$types = $this->_paramTypes;
|
||||||
if (isset($this->_paramTypes[$key])) {
|
if ($params) {
|
||||||
$stmt->bindValue($key, $value, $this->_paramTypes[$key]);
|
if (is_int(key($params))) {
|
||||||
} else {
|
ksort($params);
|
||||||
$stmt->bindValue($key, $value);
|
ksort($types);
|
||||||
|
$params = array_values($params);
|
||||||
|
$types = array_values($types);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
$stmt->execute();
|
|
||||||
|
|
||||||
return $stmt;
|
return $this->_em->getConnection()->executeQuery($this->_sql, $params, $types, $this->_queryCacheProfile);
|
||||||
}
|
}
|
||||||
}
|
}
|
|
@ -92,7 +92,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The database platform.
|
* The database platform.
|
||||||
*
|
*
|
||||||
* @var Doctrine\DBAL\Platforms\AbstractPlatform
|
* @var Doctrine\DBAL\Platforms\AbstractPlatform
|
||||||
*/
|
*/
|
||||||
protected $_platform;
|
protected $_platform;
|
||||||
|
@ -110,12 +110,12 @@ class BasicEntityPersister
|
||||||
* @var array
|
* @var array
|
||||||
*/
|
*/
|
||||||
protected $_queuedInserts = array();
|
protected $_queuedInserts = array();
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* ResultSetMapping that is used for all queries. Is generated lazily once per request.
|
* ResultSetMapping that is used for all queries. Is generated lazily once per request.
|
||||||
*
|
*
|
||||||
* TODO: Evaluate Caching in combination with the other cached SQL snippets.
|
* TODO: Evaluate Caching in combination with the other cached SQL snippets.
|
||||||
*
|
*
|
||||||
* @var Query\ResultSetMapping
|
* @var Query\ResultSetMapping
|
||||||
*/
|
*/
|
||||||
protected $_rsm;
|
protected $_rsm;
|
||||||
|
@ -123,7 +123,7 @@ class BasicEntityPersister
|
||||||
/**
|
/**
|
||||||
* The map of column names to DBAL mapping types of all prepared columns used
|
* The map of column names to DBAL mapping types of all prepared columns used
|
||||||
* when INSERTing or UPDATEing an entity.
|
* when INSERTing or UPDATEing an entity.
|
||||||
*
|
*
|
||||||
* @var array
|
* @var array
|
||||||
* @see _prepareInsertData($entity)
|
* @see _prepareInsertData($entity)
|
||||||
* @see _prepareUpdateData($entity)
|
* @see _prepareUpdateData($entity)
|
||||||
|
@ -133,7 +133,7 @@ class BasicEntityPersister
|
||||||
/**
|
/**
|
||||||
* The INSERT SQL statement used for entities handled by this persister.
|
* The INSERT SQL statement used for entities handled by this persister.
|
||||||
* This SQL is only generated once per request, if at all.
|
* This SQL is only generated once per request, if at all.
|
||||||
*
|
*
|
||||||
* @var string
|
* @var string
|
||||||
*/
|
*/
|
||||||
private $_insertSql;
|
private $_insertSql;
|
||||||
|
@ -141,29 +141,29 @@ class BasicEntityPersister
|
||||||
/**
|
/**
|
||||||
* The SELECT column list SQL fragment used for querying entities by this persister.
|
* The SELECT column list SQL fragment used for querying entities by this persister.
|
||||||
* This SQL fragment is only generated once per request, if at all.
|
* This SQL fragment is only generated once per request, if at all.
|
||||||
*
|
*
|
||||||
* @var string
|
* @var string
|
||||||
*/
|
*/
|
||||||
protected $_selectColumnListSql;
|
protected $_selectColumnListSql;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* The JOIN SQL fragement used to eagerly load all many-to-one and one-to-one
|
* The JOIN SQL fragement used to eagerly load all many-to-one and one-to-one
|
||||||
* associations configured as FETCH_EAGER, aswell as all inverse one-to-one associations.
|
* associations configured as FETCH_EAGER, aswell as all inverse one-to-one associations.
|
||||||
*
|
*
|
||||||
* @var string
|
* @var string
|
||||||
*/
|
*/
|
||||||
protected $_selectJoinSql;
|
protected $_selectJoinSql;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Counter for creating unique SQL table and column aliases.
|
* Counter for creating unique SQL table and column aliases.
|
||||||
*
|
*
|
||||||
* @var integer
|
* @var integer
|
||||||
*/
|
*/
|
||||||
protected $_sqlAliasCounter = 0;
|
protected $_sqlAliasCounter = 0;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Map from class names (FQCN) to the corresponding generated SQL table aliases.
|
* Map from class names (FQCN) to the corresponding generated SQL table aliases.
|
||||||
*
|
*
|
||||||
* @var array
|
* @var array
|
||||||
*/
|
*/
|
||||||
protected $_sqlTableAliases = array();
|
protected $_sqlTableAliases = array();
|
||||||
|
@ -171,7 +171,7 @@ class BasicEntityPersister
|
||||||
/**
|
/**
|
||||||
* Initializes a new <tt>BasicEntityPersister</tt> that uses the given EntityManager
|
* Initializes a new <tt>BasicEntityPersister</tt> that uses the given EntityManager
|
||||||
* and persists instances of the class described by the given ClassMetadata descriptor.
|
* and persists instances of the class described by the given ClassMetadata descriptor.
|
||||||
*
|
*
|
||||||
* @param Doctrine\ORM\EntityManager $em
|
* @param Doctrine\ORM\EntityManager $em
|
||||||
* @param Doctrine\ORM\Mapping\ClassMetadata $class
|
* @param Doctrine\ORM\Mapping\ClassMetadata $class
|
||||||
*/
|
*/
|
||||||
|
@ -205,7 +205,7 @@ class BasicEntityPersister
|
||||||
/**
|
/**
|
||||||
* Executes all queued entity insertions and returns any generated post-insert
|
* Executes all queued entity insertions and returns any generated post-insert
|
||||||
* identifiers that were created as a result of the insertions.
|
* identifiers that were created as a result of the insertions.
|
||||||
*
|
*
|
||||||
* If no inserts are queued, invoking this method is a NOOP.
|
* If no inserts are queued, invoking this method is a NOOP.
|
||||||
*
|
*
|
||||||
* @return array An array of any generated post-insert IDs. This will be an empty array
|
* @return array An array of any generated post-insert IDs. This will be an empty array
|
||||||
|
@ -229,7 +229,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
if (isset($insertData[$tableName])) {
|
if (isset($insertData[$tableName])) {
|
||||||
$paramIndex = 1;
|
$paramIndex = 1;
|
||||||
|
|
||||||
foreach ($insertData[$tableName] as $column => $value) {
|
foreach ($insertData[$tableName] as $column => $value) {
|
||||||
$stmt->bindValue($paramIndex++, $value, $this->_columnTypes[$column]);
|
$stmt->bindValue($paramIndex++, $value, $this->_columnTypes[$column]);
|
||||||
}
|
}
|
||||||
|
@ -257,7 +257,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Retrieves the default version value which was created
|
* Retrieves the default version value which was created
|
||||||
* by the preceding INSERT statement and assigns it back in to the
|
* by the preceding INSERT statement and assigns it back in to the
|
||||||
* entities version field.
|
* entities version field.
|
||||||
*
|
*
|
||||||
* @param object $entity
|
* @param object $entity
|
||||||
|
@ -271,7 +271,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Fetch the current version value of a versioned entity.
|
* Fetch the current version value of a versioned entity.
|
||||||
*
|
*
|
||||||
* @param Doctrine\ORM\Mapping\ClassMetadata $versionedClass
|
* @param Doctrine\ORM\Mapping\ClassMetadata $versionedClass
|
||||||
* @param mixed $id
|
* @param mixed $id
|
||||||
* @return mixed
|
* @return mixed
|
||||||
|
@ -280,9 +280,9 @@ class BasicEntityPersister
|
||||||
{
|
{
|
||||||
$versionField = $versionedClass->versionField;
|
$versionField = $versionedClass->versionField;
|
||||||
$identifier = $versionedClass->getIdentifierColumnNames();
|
$identifier = $versionedClass->getIdentifierColumnNames();
|
||||||
|
|
||||||
$versionFieldColumnName = $versionedClass->getQuotedColumnName($versionField, $this->_platform);
|
$versionFieldColumnName = $versionedClass->getQuotedColumnName($versionField, $this->_platform);
|
||||||
|
|
||||||
//FIXME: Order with composite keys might not be correct
|
//FIXME: Order with composite keys might not be correct
|
||||||
$sql = 'SELECT ' . $versionFieldColumnName
|
$sql = 'SELECT ' . $versionFieldColumnName
|
||||||
. ' FROM ' . $versionedClass->getQuotedTableName($this->_platform)
|
. ' FROM ' . $versionedClass->getQuotedTableName($this->_platform)
|
||||||
|
@ -299,7 +299,7 @@ class BasicEntityPersister
|
||||||
* The data to update is retrieved through {@link _prepareUpdateData}.
|
* The data to update is retrieved through {@link _prepareUpdateData}.
|
||||||
* Subclasses that override this method are supposed to obtain the update data
|
* Subclasses that override this method are supposed to obtain the update data
|
||||||
* in the same way, through {@link _prepareUpdateData}.
|
* in the same way, through {@link _prepareUpdateData}.
|
||||||
*
|
*
|
||||||
* Subclasses are also supposed to take care of versioning when overriding this method,
|
* Subclasses are also supposed to take care of versioning when overriding this method,
|
||||||
* if necessary. The {@link _updateTable} method can be used to apply the data retrieved
|
* if necessary. The {@link _updateTable} method can be used to apply the data retrieved
|
||||||
* from {@_prepareUpdateData} on the target tables, thereby optionally applying versioning.
|
* from {@_prepareUpdateData} on the target tables, thereby optionally applying versioning.
|
||||||
|
@ -310,7 +310,7 @@ class BasicEntityPersister
|
||||||
{
|
{
|
||||||
$updateData = $this->_prepareUpdateData($entity);
|
$updateData = $this->_prepareUpdateData($entity);
|
||||||
$tableName = $this->_class->getTableName();
|
$tableName = $this->_class->getTableName();
|
||||||
|
|
||||||
if (isset($updateData[$tableName]) && $updateData[$tableName]) {
|
if (isset($updateData[$tableName]) && $updateData[$tableName]) {
|
||||||
$this->_updateTable(
|
$this->_updateTable(
|
||||||
$entity, $this->_class->getQuotedTableName($this->_platform),
|
$entity, $this->_class->getQuotedTableName($this->_platform),
|
||||||
|
@ -338,17 +338,17 @@ class BasicEntityPersister
|
||||||
$set = $params = $types = array();
|
$set = $params = $types = array();
|
||||||
|
|
||||||
foreach ($updateData as $columnName => $value) {
|
foreach ($updateData as $columnName => $value) {
|
||||||
$set[] = (isset($this->_class->fieldNames[$columnName]))
|
$set[] = (isset($this->_class->fieldNames[$columnName]))
|
||||||
? $this->_class->getQuotedColumnName($this->_class->fieldNames[$columnName], $this->_platform) . ' = ?'
|
? $this->_class->getQuotedColumnName($this->_class->fieldNames[$columnName], $this->_platform) . ' = ?'
|
||||||
: $columnName . ' = ?';
|
: $columnName . ' = ?';
|
||||||
|
|
||||||
$params[] = $value;
|
$params[] = $value;
|
||||||
$types[] = $this->_columnTypes[$columnName];
|
$types[] = $this->_columnTypes[$columnName];
|
||||||
}
|
}
|
||||||
|
|
||||||
$where = array();
|
$where = array();
|
||||||
$id = $this->_em->getUnitOfWork()->getEntityIdentifier($entity);
|
$id = $this->_em->getUnitOfWork()->getEntityIdentifier($entity);
|
||||||
|
|
||||||
foreach ($this->_class->identifier as $idField) {
|
foreach ($this->_class->identifier as $idField) {
|
||||||
if (isset($this->_class->associationMappings[$idField])) {
|
if (isset($this->_class->associationMappings[$idField])) {
|
||||||
$targetMapping = $this->_em->getClassMetadata($this->_class->associationMappings[$idField]['targetEntity']);
|
$targetMapping = $this->_em->getClassMetadata($this->_class->associationMappings[$idField]['targetEntity']);
|
||||||
|
@ -366,13 +366,13 @@ class BasicEntityPersister
|
||||||
$versionField = $this->_class->versionField;
|
$versionField = $this->_class->versionField;
|
||||||
$versionFieldType = $this->_class->fieldMappings[$versionField]['type'];
|
$versionFieldType = $this->_class->fieldMappings[$versionField]['type'];
|
||||||
$versionColumn = $this->_class->getQuotedColumnName($versionField, $this->_platform);
|
$versionColumn = $this->_class->getQuotedColumnName($versionField, $this->_platform);
|
||||||
|
|
||||||
if ($versionFieldType == Type::INTEGER) {
|
if ($versionFieldType == Type::INTEGER) {
|
||||||
$set[] = $versionColumn . ' = ' . $versionColumn . ' + 1';
|
$set[] = $versionColumn . ' = ' . $versionColumn . ' + 1';
|
||||||
} else if ($versionFieldType == Type::DATETIME) {
|
} else if ($versionFieldType == Type::DATETIME) {
|
||||||
$set[] = $versionColumn . ' = CURRENT_TIMESTAMP';
|
$set[] = $versionColumn . ' = CURRENT_TIMESTAMP';
|
||||||
}
|
}
|
||||||
|
|
||||||
$where[] = $versionColumn;
|
$where[] = $versionColumn;
|
||||||
$params[] = $this->_class->reflFields[$versionField]->getValue($entity);
|
$params[] = $this->_class->reflFields[$versionField]->getValue($entity);
|
||||||
$types[] = $this->_class->fieldMappings[$versionField]['type'];
|
$types[] = $this->_class->fieldMappings[$versionField]['type'];
|
||||||
|
@ -401,18 +401,18 @@ class BasicEntityPersister
|
||||||
// @Todo this only covers scenarios with no inheritance or of the same level. Is there something
|
// @Todo this only covers scenarios with no inheritance or of the same level. Is there something
|
||||||
// like self-referential relationship between different levels of an inheritance hierachy? I hope not!
|
// like self-referential relationship between different levels of an inheritance hierachy? I hope not!
|
||||||
$selfReferential = ($mapping['targetEntity'] == $mapping['sourceEntity']);
|
$selfReferential = ($mapping['targetEntity'] == $mapping['sourceEntity']);
|
||||||
|
|
||||||
if ( ! $mapping['isOwningSide']) {
|
if ( ! $mapping['isOwningSide']) {
|
||||||
$relatedClass = $this->_em->getClassMetadata($mapping['targetEntity']);
|
$relatedClass = $this->_em->getClassMetadata($mapping['targetEntity']);
|
||||||
$mapping = $relatedClass->associationMappings[$mapping['mappedBy']];
|
$mapping = $relatedClass->associationMappings[$mapping['mappedBy']];
|
||||||
$keys = array_keys($mapping['relationToTargetKeyColumns']);
|
$keys = array_keys($mapping['relationToTargetKeyColumns']);
|
||||||
|
|
||||||
if ($selfReferential) {
|
if ($selfReferential) {
|
||||||
$otherKeys = array_keys($mapping['relationToSourceKeyColumns']);
|
$otherKeys = array_keys($mapping['relationToSourceKeyColumns']);
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
$keys = array_keys($mapping['relationToSourceKeyColumns']);
|
$keys = array_keys($mapping['relationToSourceKeyColumns']);
|
||||||
|
|
||||||
if ($selfReferential) {
|
if ($selfReferential) {
|
||||||
$otherKeys = array_keys($mapping['relationToTargetKeyColumns']);
|
$otherKeys = array_keys($mapping['relationToTargetKeyColumns']);
|
||||||
}
|
}
|
||||||
|
@ -420,13 +420,13 @@ class BasicEntityPersister
|
||||||
|
|
||||||
if ( ! isset($mapping['isOnDeleteCascade'])) {
|
if ( ! isset($mapping['isOnDeleteCascade'])) {
|
||||||
$this->_conn->delete(
|
$this->_conn->delete(
|
||||||
$this->_class->getQuotedJoinTableName($mapping, $this->_platform),
|
$this->_class->getQuotedJoinTableName($mapping, $this->_platform),
|
||||||
array_combine($keys, $identifier)
|
array_combine($keys, $identifier)
|
||||||
);
|
);
|
||||||
|
|
||||||
if ($selfReferential) {
|
if ($selfReferential) {
|
||||||
$this->_conn->delete(
|
$this->_conn->delete(
|
||||||
$this->_class->getQuotedJoinTableName($mapping, $this->_platform),
|
$this->_class->getQuotedJoinTableName($mapping, $this->_platform),
|
||||||
array_combine($otherKeys, $identifier)
|
array_combine($otherKeys, $identifier)
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
@ -458,7 +458,7 @@ class BasicEntityPersister
|
||||||
* Prepares the changeset of an entity for database insertion (UPDATE).
|
* Prepares the changeset of an entity for database insertion (UPDATE).
|
||||||
*
|
*
|
||||||
* The changeset is obtained from the currently running UnitOfWork.
|
* The changeset is obtained from the currently running UnitOfWork.
|
||||||
*
|
*
|
||||||
* During this preparation the array that is passed as the second parameter is filled with
|
* During this preparation the array that is passed as the second parameter is filled with
|
||||||
* <columnName> => <value> pairs, grouped by table name.
|
* <columnName> => <value> pairs, grouped by table name.
|
||||||
*
|
*
|
||||||
|
@ -493,7 +493,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
if (isset($this->_class->associationMappings[$field])) {
|
if (isset($this->_class->associationMappings[$field])) {
|
||||||
$assoc = $this->_class->associationMappings[$field];
|
$assoc = $this->_class->associationMappings[$field];
|
||||||
|
|
||||||
// Only owning side of x-1 associations can have a FK column.
|
// Only owning side of x-1 associations can have a FK column.
|
||||||
if ( ! $assoc['isOwningSide'] || ! ($assoc['type'] & ClassMetadata::TO_ONE)) {
|
if ( ! $assoc['isOwningSide'] || ! ($assoc['type'] & ClassMetadata::TO_ONE)) {
|
||||||
continue;
|
continue;
|
||||||
|
@ -501,7 +501,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
if ($newVal !== null) {
|
if ($newVal !== null) {
|
||||||
$oid = spl_object_hash($newVal);
|
$oid = spl_object_hash($newVal);
|
||||||
|
|
||||||
if (isset($this->_queuedInserts[$oid]) || $uow->isScheduledForInsert($newVal)) {
|
if (isset($this->_queuedInserts[$oid]) || $uow->isScheduledForInsert($newVal)) {
|
||||||
// The associated entity $newVal is not yet persisted, so we must
|
// The associated entity $newVal is not yet persisted, so we must
|
||||||
// set $newVal = null, in order to insert a null value and schedule an
|
// set $newVal = null, in order to insert a null value and schedule an
|
||||||
|
@ -528,7 +528,7 @@ class BasicEntityPersister
|
||||||
} else {
|
} else {
|
||||||
$result[$owningTable][$sourceColumn] = $newValId[$targetClass->fieldNames[$targetColumn]];
|
$result[$owningTable][$sourceColumn] = $newValId[$targetClass->fieldNames[$targetColumn]];
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_columnTypes[$sourceColumn] = $targetClass->getTypeOfColumn($targetColumn);
|
$this->_columnTypes[$sourceColumn] = $targetClass->getTypeOfColumn($targetColumn);
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
|
@ -537,7 +537,7 @@ class BasicEntityPersister
|
||||||
$result[$this->getOwningTable($field)][$columnName] = $newVal;
|
$result[$this->getOwningTable($field)][$columnName] = $newVal;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return $result;
|
return $result;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -589,7 +589,7 @@ class BasicEntityPersister
|
||||||
$sql = $this->_getSelectEntitiesSQL($criteria, $assoc, $lockMode, $limit);
|
$sql = $this->_getSelectEntitiesSQL($criteria, $assoc, $lockMode, $limit);
|
||||||
list($params, $types) = $this->expandParameters($criteria);
|
list($params, $types) = $this->expandParameters($criteria);
|
||||||
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
||||||
|
|
||||||
if ($entity !== null) {
|
if ($entity !== null) {
|
||||||
$hints[Query::HINT_REFRESH] = true;
|
$hints[Query::HINT_REFRESH] = true;
|
||||||
$hints[Query::HINT_REFRESH_ENTITY] = $entity;
|
$hints[Query::HINT_REFRESH_ENTITY] = $entity;
|
||||||
|
@ -597,7 +597,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
$hydrator = $this->_em->newHydrator($this->_selectJoinSql ? Query::HYDRATE_OBJECT : Query::HYDRATE_SIMPLEOBJECT);
|
$hydrator = $this->_em->newHydrator($this->_selectJoinSql ? Query::HYDRATE_OBJECT : Query::HYDRATE_SIMPLEOBJECT);
|
||||||
$entities = $hydrator->hydrateAll($stmt, $this->_rsm, $hints);
|
$entities = $hydrator->hydrateAll($stmt, $this->_rsm, $hints);
|
||||||
|
|
||||||
return $entities ? $entities[0] : null;
|
return $entities ? $entities[0] : null;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -626,17 +626,17 @@ class BasicEntityPersister
|
||||||
// Mark inverse side as fetched in the hints, otherwise the UoW would
|
// Mark inverse side as fetched in the hints, otherwise the UoW would
|
||||||
// try to load it in a separate query (remember: to-one inverse sides can not be lazy).
|
// try to load it in a separate query (remember: to-one inverse sides can not be lazy).
|
||||||
$hints = array();
|
$hints = array();
|
||||||
|
|
||||||
if ($isInverseSingleValued) {
|
if ($isInverseSingleValued) {
|
||||||
$hints['fetched'][$targetClass->name][$assoc['inversedBy']] = true;
|
$hints['fetched'][$targetClass->name][$assoc['inversedBy']] = true;
|
||||||
|
|
||||||
if ($targetClass->subClasses) {
|
if ($targetClass->subClasses) {
|
||||||
foreach ($targetClass->subClasses as $targetSubclassName) {
|
foreach ($targetClass->subClasses as $targetSubclassName) {
|
||||||
$hints['fetched'][$targetSubclassName][$assoc['inversedBy']] = true;
|
$hints['fetched'][$targetSubclassName][$assoc['inversedBy']] = true;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/* cascade read-only status
|
/* cascade read-only status
|
||||||
if ($this->_em->getUnitOfWork()->isReadOnly($sourceEntity)) {
|
if ($this->_em->getUnitOfWork()->isReadOnly($sourceEntity)) {
|
||||||
$hints[Query::HINT_READ_ONLY] = true;
|
$hints[Query::HINT_READ_ONLY] = true;
|
||||||
|
@ -652,7 +652,7 @@ class BasicEntityPersister
|
||||||
} else {
|
} else {
|
||||||
$sourceClass = $this->_em->getClassMetadata($assoc['sourceEntity']);
|
$sourceClass = $this->_em->getClassMetadata($assoc['sourceEntity']);
|
||||||
$owningAssoc = $targetClass->getAssociationMapping($assoc['mappedBy']);
|
$owningAssoc = $targetClass->getAssociationMapping($assoc['mappedBy']);
|
||||||
|
|
||||||
// TRICKY: since the association is specular source and target are flipped
|
// TRICKY: since the association is specular source and target are flipped
|
||||||
foreach ($owningAssoc['targetToSourceKeyColumns'] as $sourceKeyColumn => $targetKeyColumn) {
|
foreach ($owningAssoc['targetToSourceKeyColumns'] as $sourceKeyColumn => $targetKeyColumn) {
|
||||||
if ( ! isset($sourceClass->fieldNames[$sourceKeyColumn])) {
|
if ( ! isset($sourceClass->fieldNames[$sourceKeyColumn])) {
|
||||||
|
@ -660,12 +660,12 @@ class BasicEntityPersister
|
||||||
$sourceClass->name, $sourceKeyColumn
|
$sourceClass->name, $sourceKeyColumn
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
// unset the old value and set the new sql aliased value here. By definition
|
// unset the old value and set the new sql aliased value here. By definition
|
||||||
// unset($identifier[$targetKeyColumn] works here with how UnitOfWork::createEntity() calls this method.
|
// unset($identifier[$targetKeyColumn] works here with how UnitOfWork::createEntity() calls this method.
|
||||||
$identifier[$this->_getSQLTableAlias($targetClass->name) . "." . $targetKeyColumn] =
|
$identifier[$this->_getSQLTableAlias($targetClass->name) . "." . $targetKeyColumn] =
|
||||||
$sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
$sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
||||||
|
|
||||||
unset($identifier[$targetKeyColumn]);
|
unset($identifier[$targetKeyColumn]);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -681,7 +681,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Refreshes a managed entity.
|
* Refreshes a managed entity.
|
||||||
*
|
*
|
||||||
* @param array $id The identifier of the entity as an associative array from
|
* @param array $id The identifier of the entity as an associative array from
|
||||||
* column or field names to values.
|
* column or field names to values.
|
||||||
* @param object $entity The entity to refresh.
|
* @param object $entity The entity to refresh.
|
||||||
|
@ -691,16 +691,16 @@ class BasicEntityPersister
|
||||||
$sql = $this->_getSelectEntitiesSQL($id);
|
$sql = $this->_getSelectEntitiesSQL($id);
|
||||||
list($params, $types) = $this->expandParameters($id);
|
list($params, $types) = $this->expandParameters($id);
|
||||||
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
||||||
|
|
||||||
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
||||||
$hydrator->hydrateAll($stmt, $this->_rsm, array(Query::HINT_REFRESH => true));
|
$hydrator->hydrateAll($stmt, $this->_rsm, array(Query::HINT_REFRESH => true));
|
||||||
|
|
||||||
if (isset($this->_class->lifecycleCallbacks[Events::postLoad])) {
|
if (isset($this->_class->lifecycleCallbacks[Events::postLoad])) {
|
||||||
$this->_class->invokeLifecycleCallbacks(Events::postLoad, $entity);
|
$this->_class->invokeLifecycleCallbacks(Events::postLoad, $entity);
|
||||||
}
|
}
|
||||||
|
|
||||||
$evm = $this->_em->getEventManager();
|
$evm = $this->_em->getEventManager();
|
||||||
|
|
||||||
if ($evm->hasListeners(Events::postLoad)) {
|
if ($evm->hasListeners(Events::postLoad)) {
|
||||||
$evm->dispatchEvent(Events::postLoad, new LifecycleEventArgs($entity, $this->_em));
|
$evm->dispatchEvent(Events::postLoad, new LifecycleEventArgs($entity, $this->_em));
|
||||||
}
|
}
|
||||||
|
@ -708,7 +708,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Loads a list of entities by a list of field criteria.
|
* Loads a list of entities by a list of field criteria.
|
||||||
*
|
*
|
||||||
* @param array $criteria
|
* @param array $criteria
|
||||||
* @param array $orderBy
|
* @param array $orderBy
|
||||||
* @param int $limit
|
* @param int $limit
|
||||||
|
@ -723,13 +723,13 @@ class BasicEntityPersister
|
||||||
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
||||||
|
|
||||||
$hydrator = $this->_em->newHydrator(($this->_selectJoinSql) ? Query::HYDRATE_OBJECT : Query::HYDRATE_SIMPLEOBJECT);
|
$hydrator = $this->_em->newHydrator(($this->_selectJoinSql) ? Query::HYDRATE_OBJECT : Query::HYDRATE_SIMPLEOBJECT);
|
||||||
|
|
||||||
return $hydrator->hydrateAll($stmt, $this->_rsm, array('deferEagerLoads' => true));
|
return $hydrator->hydrateAll($stmt, $this->_rsm, array('deferEagerLoads' => true));
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Get (sliced or full) elements of the given collection.
|
* Get (sliced or full) elements of the given collection.
|
||||||
*
|
*
|
||||||
* @param array $assoc
|
* @param array $assoc
|
||||||
* @param object $sourceEntity
|
* @param object $sourceEntity
|
||||||
* @param int|null $offset
|
* @param int|null $offset
|
||||||
|
@ -739,16 +739,16 @@ class BasicEntityPersister
|
||||||
public function getManyToManyCollection(array $assoc, $sourceEntity, $offset = null, $limit = null)
|
public function getManyToManyCollection(array $assoc, $sourceEntity, $offset = null, $limit = null)
|
||||||
{
|
{
|
||||||
$stmt = $this->getManyToManyStatement($assoc, $sourceEntity, $offset, $limit);
|
$stmt = $this->getManyToManyStatement($assoc, $sourceEntity, $offset, $limit);
|
||||||
|
|
||||||
return $this->loadArrayFromStatement($assoc, $stmt);
|
return $this->loadArrayFromStatement($assoc, $stmt);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Load an array of entities from a given dbal statement.
|
* Load an array of entities from a given dbal statement.
|
||||||
*
|
*
|
||||||
* @param array $assoc
|
* @param array $assoc
|
||||||
* @param Doctrine\DBAL\Statement $stmt
|
* @param Doctrine\DBAL\Statement $stmt
|
||||||
*
|
*
|
||||||
* @return array
|
* @return array
|
||||||
*/
|
*/
|
||||||
private function loadArrayFromStatement($assoc, $stmt)
|
private function loadArrayFromStatement($assoc, $stmt)
|
||||||
|
@ -763,21 +763,21 @@ class BasicEntityPersister
|
||||||
}
|
}
|
||||||
|
|
||||||
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
||||||
|
|
||||||
return $hydrator->hydrateAll($stmt, $rsm, $hints);
|
return $hydrator->hydrateAll($stmt, $rsm, $hints);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Hydrate a collection from a given dbal statement.
|
* Hydrate a collection from a given dbal statement.
|
||||||
*
|
*
|
||||||
* @param array $assoc
|
* @param array $assoc
|
||||||
* @param Doctrine\DBAL\Statement $stmt
|
* @param Doctrine\DBAL\Statement $stmt
|
||||||
* @param PersistentCollection $coll
|
* @param PersistentCollection $coll
|
||||||
*
|
*
|
||||||
* @return array
|
* @return array
|
||||||
*/
|
*/
|
||||||
private function loadCollectionFromStatement($assoc, $stmt, $coll)
|
private function loadCollectionFromStatement($assoc, $stmt, $coll)
|
||||||
{
|
{
|
||||||
$hints = array('deferEagerLoads' => true, 'collection' => $coll);
|
$hints = array('deferEagerLoads' => true, 'collection' => $coll);
|
||||||
|
|
||||||
if (isset($assoc['indexBy'])) {
|
if (isset($assoc['indexBy'])) {
|
||||||
|
@ -788,7 +788,7 @@ class BasicEntityPersister
|
||||||
}
|
}
|
||||||
|
|
||||||
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
$hydrator = $this->_em->newHydrator(Query::HYDRATE_OBJECT);
|
||||||
|
|
||||||
return $hydrator->hydrateAll($stmt, $rsm, $hints);
|
return $hydrator->hydrateAll($stmt, $rsm, $hints);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -805,7 +805,7 @@ class BasicEntityPersister
|
||||||
public function loadManyToManyCollection(array $assoc, $sourceEntity, PersistentCollection $coll)
|
public function loadManyToManyCollection(array $assoc, $sourceEntity, PersistentCollection $coll)
|
||||||
{
|
{
|
||||||
$stmt = $this->getManyToManyStatement($assoc, $sourceEntity);
|
$stmt = $this->getManyToManyStatement($assoc, $sourceEntity);
|
||||||
|
|
||||||
return $this->loadCollectionFromStatement($assoc, $stmt, $coll);
|
return $this->loadCollectionFromStatement($assoc, $stmt, $coll);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -813,15 +813,15 @@ class BasicEntityPersister
|
||||||
{
|
{
|
||||||
$criteria = array();
|
$criteria = array();
|
||||||
$sourceClass = $this->_em->getClassMetadata($assoc['sourceEntity']);
|
$sourceClass = $this->_em->getClassMetadata($assoc['sourceEntity']);
|
||||||
|
|
||||||
if ($assoc['isOwningSide']) {
|
if ($assoc['isOwningSide']) {
|
||||||
$quotedJoinTable = $sourceClass->getQuotedJoinTableName($assoc, $this->_platform);
|
$quotedJoinTable = $sourceClass->getQuotedJoinTableName($assoc, $this->_platform);
|
||||||
|
|
||||||
foreach ($assoc['relationToSourceKeyColumns'] as $relationKeyColumn => $sourceKeyColumn) {
|
foreach ($assoc['relationToSourceKeyColumns'] as $relationKeyColumn => $sourceKeyColumn) {
|
||||||
if ($sourceClass->containsForeignIdentifier) {
|
if ($sourceClass->containsForeignIdentifier) {
|
||||||
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
||||||
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
||||||
|
|
||||||
if (isset($sourceClass->associationMappings[$field])) {
|
if (isset($sourceClass->associationMappings[$field])) {
|
||||||
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
||||||
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
||||||
|
@ -839,18 +839,18 @@ class BasicEntityPersister
|
||||||
} else {
|
} else {
|
||||||
$owningAssoc = $this->_em->getClassMetadata($assoc['targetEntity'])->associationMappings[$assoc['mappedBy']];
|
$owningAssoc = $this->_em->getClassMetadata($assoc['targetEntity'])->associationMappings[$assoc['mappedBy']];
|
||||||
$quotedJoinTable = $sourceClass->getQuotedJoinTableName($owningAssoc, $this->_platform);
|
$quotedJoinTable = $sourceClass->getQuotedJoinTableName($owningAssoc, $this->_platform);
|
||||||
|
|
||||||
// TRICKY: since the association is inverted source and target are flipped
|
// TRICKY: since the association is inverted source and target are flipped
|
||||||
foreach ($owningAssoc['relationToTargetKeyColumns'] as $relationKeyColumn => $sourceKeyColumn) {
|
foreach ($owningAssoc['relationToTargetKeyColumns'] as $relationKeyColumn => $sourceKeyColumn) {
|
||||||
if ($sourceClass->containsForeignIdentifier) {
|
if ($sourceClass->containsForeignIdentifier) {
|
||||||
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
||||||
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
||||||
|
|
||||||
if (isset($sourceClass->associationMappings[$field])) {
|
if (isset($sourceClass->associationMappings[$field])) {
|
||||||
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
||||||
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
||||||
}
|
}
|
||||||
|
|
||||||
$criteria[$quotedJoinTable . "." . $relationKeyColumn] = $value;
|
$criteria[$quotedJoinTable . "." . $relationKeyColumn] = $value;
|
||||||
} else if (isset($sourceClass->fieldNames[$sourceKeyColumn])) {
|
} else if (isset($sourceClass->fieldNames[$sourceKeyColumn])) {
|
||||||
$criteria[$quotedJoinTable . "." . $relationKeyColumn] = $sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
$criteria[$quotedJoinTable . "." . $relationKeyColumn] = $sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
||||||
|
@ -864,7 +864,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
$sql = $this->_getSelectEntitiesSQL($criteria, $assoc, 0, $limit, $offset);
|
$sql = $this->_getSelectEntitiesSQL($criteria, $assoc, 0, $limit, $offset);
|
||||||
list($params, $types) = $this->expandParameters($criteria);
|
list($params, $types) = $this->expandParameters($criteria);
|
||||||
|
|
||||||
return $this->_conn->executeQuery($sql, $params, $types);
|
return $this->_conn->executeQuery($sql, $params, $types);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -890,7 +890,7 @@ class BasicEntityPersister
|
||||||
$orderBySql = $orderBy ? $this->_getOrderBySQL($orderBy, $this->_getSQLTableAlias($this->_class->name)) : '';
|
$orderBySql = $orderBy ? $this->_getOrderBySQL($orderBy, $this->_getSQLTableAlias($this->_class->name)) : '';
|
||||||
|
|
||||||
$lockSql = '';
|
$lockSql = '';
|
||||||
|
|
||||||
if ($lockMode == LockMode::PESSIMISTIC_READ) {
|
if ($lockMode == LockMode::PESSIMISTIC_READ) {
|
||||||
$lockSql = ' ' . $this->_platform->getReadLockSql();
|
$lockSql = ' ' . $this->_platform->getReadLockSql();
|
||||||
} else if ($lockMode == LockMode::PESSIMISTIC_WRITE) {
|
} else if ($lockMode == LockMode::PESSIMISTIC_WRITE) {
|
||||||
|
@ -908,7 +908,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the ORDER BY SQL snippet for ordered collections.
|
* Gets the ORDER BY SQL snippet for ordered collections.
|
||||||
*
|
*
|
||||||
* @param array $orderBy
|
* @param array $orderBy
|
||||||
* @param string $baseTableAlias
|
* @param string $baseTableAlias
|
||||||
* @return string
|
* @return string
|
||||||
|
@ -917,7 +917,7 @@ class BasicEntityPersister
|
||||||
protected final function _getOrderBySQL(array $orderBy, $baseTableAlias)
|
protected final function _getOrderBySQL(array $orderBy, $baseTableAlias)
|
||||||
{
|
{
|
||||||
$orderBySql = '';
|
$orderBySql = '';
|
||||||
|
|
||||||
foreach ($orderBy as $fieldName => $orientation) {
|
foreach ($orderBy as $fieldName => $orientation) {
|
||||||
if ( ! isset($this->_class->fieldMappings[$fieldName])) {
|
if ( ! isset($this->_class->fieldMappings[$fieldName])) {
|
||||||
throw ORMException::unrecognizedField($fieldName);
|
throw ORMException::unrecognizedField($fieldName);
|
||||||
|
@ -928,7 +928,7 @@ class BasicEntityPersister
|
||||||
: $baseTableAlias;
|
: $baseTableAlias;
|
||||||
|
|
||||||
$columnName = $this->_class->getQuotedColumnName($fieldName, $this->_platform);
|
$columnName = $this->_class->getQuotedColumnName($fieldName, $this->_platform);
|
||||||
|
|
||||||
$orderBySql .= $orderBySql ? ', ' : ' ORDER BY ';
|
$orderBySql .= $orderBySql ? ', ' : ' ORDER BY ';
|
||||||
$orderBySql .= $tableAlias . '.' . $columnName . ' ' . $orientation;
|
$orderBySql .= $tableAlias . '.' . $columnName . ' ' . $orientation;
|
||||||
}
|
}
|
||||||
|
@ -944,7 +944,7 @@ class BasicEntityPersister
|
||||||
* list SQL fragment. Note that in the implementation of BasicEntityPersister
|
* list SQL fragment. Note that in the implementation of BasicEntityPersister
|
||||||
* the resulting SQL fragment is generated only once and cached in {@link _selectColumnListSql}.
|
* the resulting SQL fragment is generated only once and cached in {@link _selectColumnListSql}.
|
||||||
* Subclasses may or may not do the same.
|
* Subclasses may or may not do the same.
|
||||||
*
|
*
|
||||||
* @return string The SQL fragment.
|
* @return string The SQL fragment.
|
||||||
* @todo Rename: _getSelectColumnsSQL()
|
* @todo Rename: _getSelectColumnsSQL()
|
||||||
*/
|
*/
|
||||||
|
@ -961,75 +961,75 @@ class BasicEntityPersister
|
||||||
// Add regular columns to select list
|
// Add regular columns to select list
|
||||||
foreach ($this->_class->fieldNames as $field) {
|
foreach ($this->_class->fieldNames as $field) {
|
||||||
if ($columnList) $columnList .= ', ';
|
if ($columnList) $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $this->_getSelectColumnSQL($field, $this->_class);
|
$columnList .= $this->_getSelectColumnSQL($field, $this->_class);
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_selectJoinSql = '';
|
$this->_selectJoinSql = '';
|
||||||
$eagerAliasCounter = 0;
|
$eagerAliasCounter = 0;
|
||||||
|
|
||||||
foreach ($this->_class->associationMappings as $assocField => $assoc) {
|
foreach ($this->_class->associationMappings as $assocField => $assoc) {
|
||||||
$assocColumnSQL = $this->_getSelectColumnAssociationSQL($assocField, $assoc, $this->_class);
|
$assocColumnSQL = $this->_getSelectColumnAssociationSQL($assocField, $assoc, $this->_class);
|
||||||
|
|
||||||
if ($assocColumnSQL) {
|
if ($assocColumnSQL) {
|
||||||
if ($columnList) $columnList .= ', ';
|
if ($columnList) $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $assocColumnSQL;
|
$columnList .= $assocColumnSQL;
|
||||||
}
|
}
|
||||||
|
|
||||||
if ($assoc['type'] & ClassMetadata::TO_ONE && ($assoc['fetch'] == ClassMetadata::FETCH_EAGER || !$assoc['isOwningSide'])) {
|
if ($assoc['type'] & ClassMetadata::TO_ONE && ($assoc['fetch'] == ClassMetadata::FETCH_EAGER || !$assoc['isOwningSide'])) {
|
||||||
$eagerEntity = $this->_em->getClassMetadata($assoc['targetEntity']);
|
$eagerEntity = $this->_em->getClassMetadata($assoc['targetEntity']);
|
||||||
|
|
||||||
if ($eagerEntity->inheritanceType != ClassMetadata::INHERITANCE_TYPE_NONE) {
|
if ($eagerEntity->inheritanceType != ClassMetadata::INHERITANCE_TYPE_NONE) {
|
||||||
continue; // now this is why you shouldn't use inheritance
|
continue; // now this is why you shouldn't use inheritance
|
||||||
}
|
}
|
||||||
|
|
||||||
$assocAlias = 'e' . ($eagerAliasCounter++);
|
$assocAlias = 'e' . ($eagerAliasCounter++);
|
||||||
$this->_rsm->addJoinedEntityResult($assoc['targetEntity'], $assocAlias, 'r', $assocField);
|
$this->_rsm->addJoinedEntityResult($assoc['targetEntity'], $assocAlias, 'r', $assocField);
|
||||||
|
|
||||||
foreach ($eagerEntity->fieldNames AS $field) {
|
foreach ($eagerEntity->fieldNames AS $field) {
|
||||||
if ($columnList) $columnList .= ', ';
|
if ($columnList) $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $this->_getSelectColumnSQL($field, $eagerEntity, $assocAlias);
|
$columnList .= $this->_getSelectColumnSQL($field, $eagerEntity, $assocAlias);
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach ($eagerEntity->associationMappings as $assoc2Field => $assoc2) {
|
foreach ($eagerEntity->associationMappings as $assoc2Field => $assoc2) {
|
||||||
$assoc2ColumnSQL = $this->_getSelectColumnAssociationSQL($assoc2Field, $assoc2, $eagerEntity, $assocAlias);
|
$assoc2ColumnSQL = $this->_getSelectColumnAssociationSQL($assoc2Field, $assoc2, $eagerEntity, $assocAlias);
|
||||||
|
|
||||||
if ($assoc2ColumnSQL) {
|
if ($assoc2ColumnSQL) {
|
||||||
if ($columnList) $columnList .= ', ';
|
if ($columnList) $columnList .= ', ';
|
||||||
$columnList .= $assoc2ColumnSQL;
|
$columnList .= $assoc2ColumnSQL;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_selectJoinSql .= ' LEFT JOIN'; // TODO: Inner join when all join columns are NOT nullable.
|
$this->_selectJoinSql .= ' LEFT JOIN'; // TODO: Inner join when all join columns are NOT nullable.
|
||||||
$first = true;
|
$first = true;
|
||||||
|
|
||||||
if ($assoc['isOwningSide']) {
|
if ($assoc['isOwningSide']) {
|
||||||
$this->_selectJoinSql .= ' ' . $eagerEntity->getQuotedTableName($this->_platform) . ' ' . $this->_getSQLTableAlias($eagerEntity->name, $assocAlias) .' ON ';
|
$this->_selectJoinSql .= ' ' . $eagerEntity->getQuotedTableName($this->_platform) . ' ' . $this->_getSQLTableAlias($eagerEntity->name, $assocAlias) .' ON ';
|
||||||
|
|
||||||
foreach ($assoc['sourceToTargetKeyColumns'] AS $sourceCol => $targetCol) {
|
foreach ($assoc['sourceToTargetKeyColumns'] AS $sourceCol => $targetCol) {
|
||||||
if ( ! $first) {
|
if ( ! $first) {
|
||||||
$this->_selectJoinSql .= ' AND ';
|
$this->_selectJoinSql .= ' AND ';
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_selectJoinSql .= $this->_getSQLTableAlias($assoc['sourceEntity']) . '.' . $sourceCol . ' = '
|
$this->_selectJoinSql .= $this->_getSQLTableAlias($assoc['sourceEntity']) . '.' . $sourceCol . ' = '
|
||||||
. $this->_getSQLTableAlias($assoc['targetEntity'], $assocAlias) . '.' . $targetCol . ' ';
|
. $this->_getSQLTableAlias($assoc['targetEntity'], $assocAlias) . '.' . $targetCol . ' ';
|
||||||
$first = false;
|
$first = false;
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
$eagerEntity = $this->_em->getClassMetadata($assoc['targetEntity']);
|
$eagerEntity = $this->_em->getClassMetadata($assoc['targetEntity']);
|
||||||
$owningAssoc = $eagerEntity->getAssociationMapping($assoc['mappedBy']);
|
$owningAssoc = $eagerEntity->getAssociationMapping($assoc['mappedBy']);
|
||||||
|
|
||||||
$this->_selectJoinSql .= ' ' . $eagerEntity->getQuotedTableName($this->_platform) . ' '
|
$this->_selectJoinSql .= ' ' . $eagerEntity->getQuotedTableName($this->_platform) . ' '
|
||||||
. $this->_getSQLTableAlias($eagerEntity->name, $assocAlias) . ' ON ';
|
. $this->_getSQLTableAlias($eagerEntity->name, $assocAlias) . ' ON ';
|
||||||
|
|
||||||
foreach ($owningAssoc['sourceToTargetKeyColumns'] AS $sourceCol => $targetCol) {
|
foreach ($owningAssoc['sourceToTargetKeyColumns'] AS $sourceCol => $targetCol) {
|
||||||
if ( ! $first) {
|
if ( ! $first) {
|
||||||
$this->_selectJoinSql .= ' AND ';
|
$this->_selectJoinSql .= ' AND ';
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_selectJoinSql .= $this->_getSQLTableAlias($owningAssoc['sourceEntity'], $assocAlias) . '.' . $sourceCol . ' = '
|
$this->_selectJoinSql .= $this->_getSQLTableAlias($owningAssoc['sourceEntity'], $assocAlias) . '.' . $sourceCol . ' = '
|
||||||
. $this->_getSQLTableAlias($owningAssoc['targetEntity']) . '.' . $targetCol . ' ';
|
. $this->_getSQLTableAlias($owningAssoc['targetEntity']) . '.' . $targetCol . ' ';
|
||||||
$first = false;
|
$first = false;
|
||||||
}
|
}
|
||||||
|
@ -1041,21 +1041,21 @@ class BasicEntityPersister
|
||||||
|
|
||||||
return $this->_selectColumnListSql;
|
return $this->_selectColumnListSql;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the SQL join fragment used when selecting entities from an association.
|
* Gets the SQL join fragment used when selecting entities from an association.
|
||||||
*
|
*
|
||||||
* @param string $field
|
* @param string $field
|
||||||
* @param array $assoc
|
* @param array $assoc
|
||||||
* @param ClassMetadata $class
|
* @param ClassMetadata $class
|
||||||
* @param string $alias
|
* @param string $alias
|
||||||
*
|
*
|
||||||
* @return string
|
* @return string
|
||||||
*/
|
*/
|
||||||
protected function _getSelectColumnAssociationSQL($field, $assoc, ClassMetadata $class, $alias = 'r')
|
protected function _getSelectColumnAssociationSQL($field, $assoc, ClassMetadata $class, $alias = 'r')
|
||||||
{
|
{
|
||||||
$columnList = '';
|
$columnList = '';
|
||||||
|
|
||||||
if ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE) {
|
if ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE) {
|
||||||
foreach ($assoc['targetToSourceKeyColumns'] as $srcColumn) {
|
foreach ($assoc['targetToSourceKeyColumns'] as $srcColumn) {
|
||||||
if ($columnList) $columnList .= ', ';
|
if ($columnList) $columnList .= ', ';
|
||||||
|
@ -1066,7 +1066,7 @@ class BasicEntityPersister
|
||||||
$this->_rsm->addMetaResult($alias, $resultColumnName, $srcColumn, isset($assoc['id']) && $assoc['id'] === true);
|
$this->_rsm->addMetaResult($alias, $resultColumnName, $srcColumn, isset($assoc['id']) && $assoc['id'] === true);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return $columnList;
|
return $columnList;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1086,10 +1086,10 @@ class BasicEntityPersister
|
||||||
$owningAssoc = $this->_em->getClassMetadata($manyToMany['targetEntity'])->associationMappings[$manyToMany['mappedBy']];
|
$owningAssoc = $this->_em->getClassMetadata($manyToMany['targetEntity'])->associationMappings[$manyToMany['mappedBy']];
|
||||||
$joinClauses = $owningAssoc['relationToSourceKeyColumns'];
|
$joinClauses = $owningAssoc['relationToSourceKeyColumns'];
|
||||||
}
|
}
|
||||||
|
|
||||||
$joinTableName = $this->_class->getQuotedJoinTableName($owningAssoc, $this->_platform);
|
$joinTableName = $this->_class->getQuotedJoinTableName($owningAssoc, $this->_platform);
|
||||||
$joinSql = '';
|
$joinSql = '';
|
||||||
|
|
||||||
foreach ($joinClauses as $joinTableColumn => $sourceColumn) {
|
foreach ($joinClauses as $joinTableColumn => $sourceColumn) {
|
||||||
if ($joinSql != '') $joinSql .= ' AND ';
|
if ($joinSql != '') $joinSql .= ' AND ';
|
||||||
|
|
||||||
|
@ -1108,7 +1108,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the INSERT SQL used by the persister to persist a new entity.
|
* Gets the INSERT SQL used by the persister to persist a new entity.
|
||||||
*
|
*
|
||||||
* @return string
|
* @return string
|
||||||
*/
|
*/
|
||||||
protected function _getInsertSQL()
|
protected function _getInsertSQL()
|
||||||
|
@ -1116,7 +1116,7 @@ class BasicEntityPersister
|
||||||
if ($this->_insertSql === null) {
|
if ($this->_insertSql === null) {
|
||||||
$insertSql = '';
|
$insertSql = '';
|
||||||
$columns = $this->_getInsertColumnList();
|
$columns = $this->_getInsertColumnList();
|
||||||
|
|
||||||
if (empty($columns)) {
|
if (empty($columns)) {
|
||||||
$insertSql = $this->_platform->getEmptyIdentityInsertSQL(
|
$insertSql = $this->_platform->getEmptyIdentityInsertSQL(
|
||||||
$this->_class->getQuotedTableName($this->_platform),
|
$this->_class->getQuotedTableName($this->_platform),
|
||||||
|
@ -1129,10 +1129,10 @@ class BasicEntityPersister
|
||||||
$insertSql = 'INSERT INTO ' . $this->_class->getQuotedTableName($this->_platform)
|
$insertSql = 'INSERT INTO ' . $this->_class->getQuotedTableName($this->_platform)
|
||||||
. ' (' . implode(', ', $columns) . ') VALUES (' . implode(', ', $values) . ')';
|
. ' (' . implode(', ', $columns) . ') VALUES (' . implode(', ', $values) . ')';
|
||||||
}
|
}
|
||||||
|
|
||||||
$this->_insertSql = $insertSql;
|
$this->_insertSql = $insertSql;
|
||||||
}
|
}
|
||||||
|
|
||||||
return $this->_insertSql;
|
return $this->_insertSql;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1147,15 +1147,15 @@ class BasicEntityPersister
|
||||||
protected function _getInsertColumnList()
|
protected function _getInsertColumnList()
|
||||||
{
|
{
|
||||||
$columns = array();
|
$columns = array();
|
||||||
|
|
||||||
foreach ($this->_class->reflFields as $name => $field) {
|
foreach ($this->_class->reflFields as $name => $field) {
|
||||||
if ($this->_class->isVersioned && $this->_class->versionField == $name) {
|
if ($this->_class->isVersioned && $this->_class->versionField == $name) {
|
||||||
continue;
|
continue;
|
||||||
}
|
}
|
||||||
|
|
||||||
if (isset($this->_class->associationMappings[$name])) {
|
if (isset($this->_class->associationMappings[$name])) {
|
||||||
$assoc = $this->_class->associationMappings[$name];
|
$assoc = $this->_class->associationMappings[$name];
|
||||||
|
|
||||||
if ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE) {
|
if ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE) {
|
||||||
foreach ($assoc['targetToSourceKeyColumns'] as $sourceCol) {
|
foreach ($assoc['targetToSourceKeyColumns'] as $sourceCol) {
|
||||||
$columns[] = $sourceCol;
|
$columns[] = $sourceCol;
|
||||||
|
@ -1190,7 +1190,7 @@ class BasicEntityPersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the SQL table alias for the given class name.
|
* Gets the SQL table alias for the given class name.
|
||||||
*
|
*
|
||||||
* @param string $className
|
* @param string $className
|
||||||
* @return string The SQL table alias.
|
* @return string The SQL table alias.
|
||||||
* @todo Reconsider. Binding table aliases to class names is not such a good idea.
|
* @todo Reconsider. Binding table aliases to class names is not such a good idea.
|
||||||
|
@ -1200,15 +1200,15 @@ class BasicEntityPersister
|
||||||
if ($assocName) {
|
if ($assocName) {
|
||||||
$className .= '#' . $assocName;
|
$className .= '#' . $assocName;
|
||||||
}
|
}
|
||||||
|
|
||||||
if (isset($this->_sqlTableAliases[$className])) {
|
if (isset($this->_sqlTableAliases[$className])) {
|
||||||
return $this->_sqlTableAliases[$className];
|
return $this->_sqlTableAliases[$className];
|
||||||
}
|
}
|
||||||
|
|
||||||
$tableAlias = 't' . $this->_sqlAliasCounter++;
|
$tableAlias = 't' . $this->_sqlAliasCounter++;
|
||||||
|
|
||||||
$this->_sqlTableAliases[$className] = $tableAlias;
|
$this->_sqlTableAliases[$className] = $tableAlias;
|
||||||
|
|
||||||
return $tableAlias;
|
return $tableAlias;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1232,9 +1232,9 @@ class BasicEntityPersister
|
||||||
$sql = 'SELECT 1 '
|
$sql = 'SELECT 1 '
|
||||||
. $this->_platform->appendLockHint($this->getLockTablesSql(), $lockMode)
|
. $this->_platform->appendLockHint($this->getLockTablesSql(), $lockMode)
|
||||||
. ($conditionSql ? ' WHERE ' . $conditionSql : '') . ' ' . $lockSql;
|
. ($conditionSql ? ' WHERE ' . $conditionSql : '') . ' ' . $lockSql;
|
||||||
|
|
||||||
list($params, $types) = $this->expandParameters($criteria);
|
list($params, $types) = $this->expandParameters($criteria);
|
||||||
|
|
||||||
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
$stmt = $this->_conn->executeQuery($sql, $params, $types);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1263,25 +1263,25 @@ class BasicEntityPersister
|
||||||
protected function _getSelectConditionSQL(array $criteria, $assoc = null)
|
protected function _getSelectConditionSQL(array $criteria, $assoc = null)
|
||||||
{
|
{
|
||||||
$conditionSql = '';
|
$conditionSql = '';
|
||||||
|
|
||||||
foreach ($criteria as $field => $value) {
|
foreach ($criteria as $field => $value) {
|
||||||
$conditionSql .= $conditionSql ? ' AND ' : '';
|
$conditionSql .= $conditionSql ? ' AND ' : '';
|
||||||
|
|
||||||
if (isset($this->_class->columnNames[$field])) {
|
if (isset($this->_class->columnNames[$field])) {
|
||||||
$className = (isset($this->_class->fieldMappings[$field]['inherited']))
|
$className = (isset($this->_class->fieldMappings[$field]['inherited']))
|
||||||
? $this->_class->fieldMappings[$field]['inherited']
|
? $this->_class->fieldMappings[$field]['inherited']
|
||||||
: $this->_class->name;
|
: $this->_class->name;
|
||||||
|
|
||||||
$conditionSql .= $this->_getSQLTableAlias($className) . '.' . $this->_class->getQuotedColumnName($field, $this->_platform);
|
$conditionSql .= $this->_getSQLTableAlias($className) . '.' . $this->_class->getQuotedColumnName($field, $this->_platform);
|
||||||
} else if (isset($this->_class->associationMappings[$field])) {
|
} else if (isset($this->_class->associationMappings[$field])) {
|
||||||
if ( ! $this->_class->associationMappings[$field]['isOwningSide']) {
|
if ( ! $this->_class->associationMappings[$field]['isOwningSide']) {
|
||||||
throw ORMException::invalidFindByInverseAssociation($this->_class->name, $field);
|
throw ORMException::invalidFindByInverseAssociation($this->_class->name, $field);
|
||||||
}
|
}
|
||||||
|
|
||||||
$className = (isset($this->_class->associationMappings[$field]['inherited']))
|
$className = (isset($this->_class->associationMappings[$field]['inherited']))
|
||||||
? $this->_class->associationMappings[$field]['inherited']
|
? $this->_class->associationMappings[$field]['inherited']
|
||||||
: $this->_class->name;
|
: $this->_class->name;
|
||||||
|
|
||||||
$conditionSql .= $this->_getSQLTableAlias($className) . '.' . $this->_class->associationMappings[$field]['joinColumns'][0]['name'];
|
$conditionSql .= $this->_getSQLTableAlias($className) . '.' . $this->_class->associationMappings[$field]['joinColumns'][0]['name'];
|
||||||
} else if ($assoc !== null && strpos($field, " ") === false && strpos($field, "(") === false) {
|
} else if ($assoc !== null && strpos($field, " ") === false && strpos($field, "(") === false) {
|
||||||
// very careless developers could potentially open up this normally hidden api for userland attacks,
|
// very careless developers could potentially open up this normally hidden api for userland attacks,
|
||||||
|
@ -1292,7 +1292,7 @@ class BasicEntityPersister
|
||||||
} else {
|
} else {
|
||||||
throw ORMException::unrecognizedField($field);
|
throw ORMException::unrecognizedField($field);
|
||||||
}
|
}
|
||||||
|
|
||||||
$conditionSql .= (is_array($value)) ? ' IN (?)' : (($value === null) ? ' IS NULL' : ' = ?');
|
$conditionSql .= (is_array($value)) ? ' IN (?)' : (($value === null) ? ' IS NULL' : ' = ?');
|
||||||
}
|
}
|
||||||
return $conditionSql;
|
return $conditionSql;
|
||||||
|
@ -1310,7 +1310,7 @@ class BasicEntityPersister
|
||||||
public function getOneToManyCollection(array $assoc, $sourceEntity, $offset = null, $limit = null)
|
public function getOneToManyCollection(array $assoc, $sourceEntity, $offset = null, $limit = null)
|
||||||
{
|
{
|
||||||
$stmt = $this->getOneToManyStatement($assoc, $sourceEntity, $offset, $limit);
|
$stmt = $this->getOneToManyStatement($assoc, $sourceEntity, $offset, $limit);
|
||||||
|
|
||||||
return $this->loadArrayFromStatement($assoc, $stmt);
|
return $this->loadArrayFromStatement($assoc, $stmt);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1326,7 +1326,7 @@ class BasicEntityPersister
|
||||||
public function loadOneToManyCollection(array $assoc, $sourceEntity, PersistentCollection $coll)
|
public function loadOneToManyCollection(array $assoc, $sourceEntity, PersistentCollection $coll)
|
||||||
{
|
{
|
||||||
$stmt = $this->getOneToManyStatement($assoc, $sourceEntity);
|
$stmt = $this->getOneToManyStatement($assoc, $sourceEntity);
|
||||||
|
|
||||||
return $this->loadCollectionFromStatement($assoc, $stmt, $coll);
|
return $this->loadCollectionFromStatement($assoc, $stmt, $coll);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1351,12 +1351,12 @@ class BasicEntityPersister
|
||||||
if ($sourceClass->containsForeignIdentifier) {
|
if ($sourceClass->containsForeignIdentifier) {
|
||||||
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
$field = $sourceClass->getFieldForColumn($sourceKeyColumn);
|
||||||
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
$value = $sourceClass->reflFields[$field]->getValue($sourceEntity);
|
||||||
|
|
||||||
if (isset($sourceClass->associationMappings[$field])) {
|
if (isset($sourceClass->associationMappings[$field])) {
|
||||||
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
$value = $this->_em->getUnitOfWork()->getEntityIdentifier($value);
|
||||||
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
$value = $value[$this->_em->getClassMetadata($sourceClass->associationMappings[$field]['targetEntity'])->identifier[0]];
|
||||||
}
|
}
|
||||||
|
|
||||||
$criteria[$tableAlias . "." . $targetKeyColumn] = $value;
|
$criteria[$tableAlias . "." . $targetKeyColumn] = $value;
|
||||||
} else {
|
} else {
|
||||||
$criteria[$tableAlias . "." . $targetKeyColumn] = $sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
$criteria[$tableAlias . "." . $targetKeyColumn] = $sourceClass->reflFields[$sourceClass->fieldNames[$sourceKeyColumn]]->getValue($sourceEntity);
|
||||||
|
@ -1387,13 +1387,13 @@ class BasicEntityPersister
|
||||||
$types[] = $this->getType($field, $value);
|
$types[] = $this->getType($field, $value);
|
||||||
$params[] = $this->getValue($value);
|
$params[] = $this->getValue($value);
|
||||||
}
|
}
|
||||||
|
|
||||||
return array($params, $types);
|
return array($params, $types);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Infer field type to be used by parameter type casting.
|
* Infer field type to be used by parameter type casting.
|
||||||
*
|
*
|
||||||
* @param string $field
|
* @param string $field
|
||||||
* @param mixed $value
|
* @param mixed $value
|
||||||
* @return integer
|
* @return integer
|
||||||
|
@ -1407,11 +1407,11 @@ class BasicEntityPersister
|
||||||
|
|
||||||
case (isset($this->_class->associationMappings[$field])):
|
case (isset($this->_class->associationMappings[$field])):
|
||||||
$assoc = $this->_class->associationMappings[$field];
|
$assoc = $this->_class->associationMappings[$field];
|
||||||
|
|
||||||
if (count($assoc['sourceToTargetKeyColumns']) > 1) {
|
if (count($assoc['sourceToTargetKeyColumns']) > 1) {
|
||||||
throw Query\QueryException::associationPathCompositeKeyNotSupported();
|
throw Query\QueryException::associationPathCompositeKeyNotSupported();
|
||||||
}
|
}
|
||||||
|
|
||||||
$targetClass = $this->_em->getClassMetadata($assoc['targetEntity']);
|
$targetClass = $this->_em->getClassMetadata($assoc['targetEntity']);
|
||||||
$targetColumn = $assoc['joinColumns'][0]['referencedColumnName'];
|
$targetColumn = $assoc['joinColumns'][0]['referencedColumnName'];
|
||||||
$type = null;
|
$type = null;
|
||||||
|
@ -1429,36 +1429,36 @@ class BasicEntityPersister
|
||||||
if (is_array($value)) {
|
if (is_array($value)) {
|
||||||
$type += Connection::ARRAY_PARAM_OFFSET;
|
$type += Connection::ARRAY_PARAM_OFFSET;
|
||||||
}
|
}
|
||||||
|
|
||||||
return $type;
|
return $type;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Retrieve parameter value
|
* Retrieve parameter value
|
||||||
*
|
*
|
||||||
* @param mixed $value
|
* @param mixed $value
|
||||||
* @return mixed
|
* @return mixed
|
||||||
*/
|
*/
|
||||||
private function getValue($value)
|
private function getValue($value)
|
||||||
{
|
{
|
||||||
if (is_array($value)) {
|
if (is_array($value)) {
|
||||||
$newValue = array();
|
$newValue = array();
|
||||||
|
|
||||||
foreach ($value as $itemValue) {
|
foreach ($value as $itemValue) {
|
||||||
$newValue[] = $this->getIndividualValue($itemValue);
|
$newValue[] = $this->getIndividualValue($itemValue);
|
||||||
}
|
}
|
||||||
|
|
||||||
return $newValue;
|
return $newValue;
|
||||||
}
|
}
|
||||||
|
|
||||||
return $this->getIndividualValue($value);
|
return $this->getIndividualValue($value);
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Retrieve an invidiual parameter value
|
* Retrieve an invidiual parameter value
|
||||||
*
|
*
|
||||||
* @param mixed $value
|
* @param mixed $value
|
||||||
* @return mixed
|
* @return mixed
|
||||||
*/
|
*/
|
||||||
private function getIndividualValue($value)
|
private function getIndividualValue($value)
|
||||||
{
|
{
|
||||||
|
@ -1469,11 +1469,11 @@ class BasicEntityPersister
|
||||||
$class = $this->_em->getClassMetadata(get_class($value));
|
$class = $this->_em->getClassMetadata(get_class($value));
|
||||||
$idValues = $class->getIdentifierValues($value);
|
$idValues = $class->getIdentifierValues($value);
|
||||||
}
|
}
|
||||||
|
|
||||||
$value = $idValues[key($idValues)];
|
$value = $idValues[key($idValues)];
|
||||||
}
|
}
|
||||||
|
|
||||||
return $value;
|
return $value;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -1485,17 +1485,17 @@ class BasicEntityPersister
|
||||||
public function exists($entity, array $extraConditions = array())
|
public function exists($entity, array $extraConditions = array())
|
||||||
{
|
{
|
||||||
$criteria = $this->_class->getIdentifierValues($entity);
|
$criteria = $this->_class->getIdentifierValues($entity);
|
||||||
|
|
||||||
if ($extraConditions) {
|
if ($extraConditions) {
|
||||||
$criteria = array_merge($criteria, $extraConditions);
|
$criteria = array_merge($criteria, $extraConditions);
|
||||||
}
|
}
|
||||||
|
|
||||||
$sql = 'SELECT 1'
|
$sql = 'SELECT 1 '
|
||||||
. ' FROM ' . $this->_class->getQuotedTableName($this->_platform) . ' ' . $this->_getSQLTableAlias($this->_class->name)
|
. $this->getLockTablesSql()
|
||||||
. ' WHERE ' . $this->_getSelectConditionSQL($criteria);
|
. ' WHERE ' . $this->_getSelectConditionSQL($criteria);
|
||||||
|
|
||||||
list($params, $types) = $this->expandParameters($criteria);
|
list($params, $types) = $this->expandParameters($criteria);
|
||||||
|
|
||||||
return (bool) $this->_conn->fetchColumn($sql, $params);
|
return (bool) $this->_conn->fetchColumn($sql, $params);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -46,7 +46,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Map of table to quoted table names.
|
* Map of table to quoted table names.
|
||||||
*
|
*
|
||||||
* @var array
|
* @var array
|
||||||
*/
|
*/
|
||||||
private $_quotedTableMap = array();
|
private $_quotedTableMap = array();
|
||||||
|
@ -59,7 +59,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
$class = ($this->_class->name !== $this->_class->rootEntityName)
|
$class = ($this->_class->name !== $this->_class->rootEntityName)
|
||||||
? $this->_em->getClassMetadata($this->_class->rootEntityName)
|
? $this->_em->getClassMetadata($this->_class->rootEntityName)
|
||||||
: $this->_class;
|
: $this->_class;
|
||||||
|
|
||||||
return $class->getTableName();
|
return $class->getTableName();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -73,10 +73,10 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
{
|
{
|
||||||
if (isset($this->_class->fieldMappings[$this->_class->versionField]['inherited'])) {
|
if (isset($this->_class->fieldMappings[$this->_class->versionField]['inherited'])) {
|
||||||
$definingClassName = $this->_class->fieldMappings[$this->_class->versionField]['inherited'];
|
$definingClassName = $this->_class->fieldMappings[$this->_class->versionField]['inherited'];
|
||||||
|
|
||||||
return $this->_em->getClassMetadata($definingClassName);
|
return $this->_em->getClassMetadata($definingClassName);
|
||||||
}
|
}
|
||||||
|
|
||||||
return $this->_class;
|
return $this->_class;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -92,7 +92,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
if (isset($this->_owningTableMap[$fieldName])) {
|
if (isset($this->_owningTableMap[$fieldName])) {
|
||||||
return $this->_owningTableMap[$fieldName];
|
return $this->_owningTableMap[$fieldName];
|
||||||
}
|
}
|
||||||
|
|
||||||
if (isset($this->_class->associationMappings[$fieldName]['inherited'])) {
|
if (isset($this->_class->associationMappings[$fieldName]['inherited'])) {
|
||||||
$cm = $this->_em->getClassMetadata($this->_class->associationMappings[$fieldName]['inherited']);
|
$cm = $this->_em->getClassMetadata($this->_class->associationMappings[$fieldName]['inherited']);
|
||||||
} else if (isset($this->_class->fieldMappings[$fieldName]['inherited'])) {
|
} else if (isset($this->_class->fieldMappings[$fieldName]['inherited'])) {
|
||||||
|
@ -130,15 +130,15 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
|
|
||||||
// Prepare statements for sub tables.
|
// Prepare statements for sub tables.
|
||||||
$subTableStmts = array();
|
$subTableStmts = array();
|
||||||
|
|
||||||
if ($rootClass !== $this->_class) {
|
if ($rootClass !== $this->_class) {
|
||||||
$subTableStmts[$this->_class->getTableName()] = $this->_conn->prepare($this->_getInsertSQL());
|
$subTableStmts[$this->_class->getTableName()] = $this->_conn->prepare($this->_getInsertSQL());
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach ($this->_class->parentClasses as $parentClassName) {
|
foreach ($this->_class->parentClasses as $parentClassName) {
|
||||||
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
||||||
$parentTableName = $parentClass->getTableName();
|
$parentTableName = $parentClass->getTableName();
|
||||||
|
|
||||||
if ($parentClass !== $rootClass) {
|
if ($parentClass !== $rootClass) {
|
||||||
$parentPersister = $this->_em->getUnitOfWork()->getEntityPersister($parentClassName);
|
$parentPersister = $this->_em->getUnitOfWork()->getEntityPersister($parentClassName);
|
||||||
$subTableStmts[$parentTableName] = $this->_conn->prepare($parentPersister->_getInsertSQL());
|
$subTableStmts[$parentTableName] = $this->_conn->prepare($parentPersister->_getInsertSQL());
|
||||||
|
@ -153,11 +153,11 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
|
|
||||||
// Execute insert on root table
|
// Execute insert on root table
|
||||||
$paramIndex = 1;
|
$paramIndex = 1;
|
||||||
|
|
||||||
foreach ($insertData[$rootTableName] as $columnName => $value) {
|
foreach ($insertData[$rootTableName] as $columnName => $value) {
|
||||||
$rootTableStmt->bindValue($paramIndex++, $value, $this->_columnTypes[$columnName]);
|
$rootTableStmt->bindValue($paramIndex++, $value, $this->_columnTypes[$columnName]);
|
||||||
}
|
}
|
||||||
|
|
||||||
$rootTableStmt->execute();
|
$rootTableStmt->execute();
|
||||||
|
|
||||||
if ($isPostInsertId) {
|
if ($isPostInsertId) {
|
||||||
|
@ -172,23 +172,23 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
foreach ($subTableStmts as $tableName => $stmt) {
|
foreach ($subTableStmts as $tableName => $stmt) {
|
||||||
$data = isset($insertData[$tableName]) ? $insertData[$tableName] : array();
|
$data = isset($insertData[$tableName]) ? $insertData[$tableName] : array();
|
||||||
$paramIndex = 1;
|
$paramIndex = 1;
|
||||||
|
|
||||||
foreach ((array) $id as $idName => $idVal) {
|
foreach ((array) $id as $idName => $idVal) {
|
||||||
$type = isset($this->_columnTypes[$idName]) ? $this->_columnTypes[$idName] : Type::STRING;
|
$type = isset($this->_columnTypes[$idName]) ? $this->_columnTypes[$idName] : Type::STRING;
|
||||||
|
|
||||||
$stmt->bindValue($paramIndex++, $idVal, $type);
|
$stmt->bindValue($paramIndex++, $idVal, $type);
|
||||||
}
|
}
|
||||||
|
|
||||||
foreach ($data as $columnName => $value) {
|
foreach ($data as $columnName => $value) {
|
||||||
$stmt->bindValue($paramIndex++, $value, $this->_columnTypes[$columnName]);
|
$stmt->bindValue($paramIndex++, $value, $this->_columnTypes[$columnName]);
|
||||||
}
|
}
|
||||||
|
|
||||||
$stmt->execute();
|
$stmt->execute();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
$rootTableStmt->closeCursor();
|
$rootTableStmt->closeCursor();
|
||||||
|
|
||||||
foreach ($subTableStmts as $stmt) {
|
foreach ($subTableStmts as $stmt) {
|
||||||
$stmt->closeCursor();
|
$stmt->closeCursor();
|
||||||
}
|
}
|
||||||
|
@ -220,7 +220,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
$entity, $this->_quotedTableMap[$tableName], $data, $isVersioned && $versionedTable == $tableName
|
$entity, $this->_quotedTableMap[$tableName], $data, $isVersioned && $versionedTable == $tableName
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
// Make sure the table with the version column is updated even if no columns on that
|
// Make sure the table with the version column is updated even if no columns on that
|
||||||
// table were affected.
|
// table were affected.
|
||||||
if ($isVersioned && ! isset($updateData[$versionedTable])) {
|
if ($isVersioned && ! isset($updateData[$versionedTable])) {
|
||||||
|
@ -251,7 +251,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
} else {
|
} else {
|
||||||
// Delete from all tables individually, starting from this class' table up to the root table.
|
// Delete from all tables individually, starting from this class' table up to the root table.
|
||||||
$this->_conn->delete($this->_class->getQuotedTableName($this->_platform), $id);
|
$this->_conn->delete($this->_class->getQuotedTableName($this->_platform), $id);
|
||||||
|
|
||||||
foreach ($this->_class->parentClasses as $parentClass) {
|
foreach ($this->_class->parentClasses as $parentClass) {
|
||||||
$this->_conn->delete(
|
$this->_conn->delete(
|
||||||
$this->_em->getClassMetadata($parentClass)->getQuotedTableName($this->_platform), $id
|
$this->_em->getClassMetadata($parentClass)->getQuotedTableName($this->_platform), $id
|
||||||
|
@ -270,16 +270,16 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
|
|
||||||
// Create the column list fragment only once
|
// Create the column list fragment only once
|
||||||
if ($this->_selectColumnListSql === null) {
|
if ($this->_selectColumnListSql === null) {
|
||||||
|
|
||||||
$this->_rsm = new ResultSetMapping();
|
$this->_rsm = new ResultSetMapping();
|
||||||
$this->_rsm->addEntityResult($this->_class->name, 'r');
|
$this->_rsm->addEntityResult($this->_class->name, 'r');
|
||||||
|
|
||||||
// Add regular columns
|
// Add regular columns
|
||||||
$columnList = '';
|
$columnList = '';
|
||||||
|
|
||||||
foreach ($this->_class->fieldMappings as $fieldName => $mapping) {
|
foreach ($this->_class->fieldMappings as $fieldName => $mapping) {
|
||||||
if ($columnList != '') $columnList .= ', ';
|
if ($columnList != '') $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $this->_getSelectColumnSQL(
|
$columnList .= $this->_getSelectColumnSQL(
|
||||||
$fieldName,
|
$fieldName,
|
||||||
isset($mapping['inherited']) ? $this->_em->getClassMetadata($mapping['inherited']) : $this->_class
|
isset($mapping['inherited']) ? $this->_em->getClassMetadata($mapping['inherited']) : $this->_class
|
||||||
|
@ -290,12 +290,12 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
foreach ($this->_class->associationMappings as $assoc2) {
|
foreach ($this->_class->associationMappings as $assoc2) {
|
||||||
if ($assoc2['isOwningSide'] && $assoc2['type'] & ClassMetadata::TO_ONE) {
|
if ($assoc2['isOwningSide'] && $assoc2['type'] & ClassMetadata::TO_ONE) {
|
||||||
$tableAlias = isset($assoc2['inherited']) ? $this->_getSQLTableAlias($assoc2['inherited']) : $baseTableAlias;
|
$tableAlias = isset($assoc2['inherited']) ? $this->_getSQLTableAlias($assoc2['inherited']) : $baseTableAlias;
|
||||||
|
|
||||||
foreach ($assoc2['targetToSourceKeyColumns'] as $srcColumn) {
|
foreach ($assoc2['targetToSourceKeyColumns'] as $srcColumn) {
|
||||||
if ($columnList != '') $columnList .= ', ';
|
if ($columnList != '') $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $this->getSelectJoinColumnSQL(
|
$columnList .= $this->getSelectJoinColumnSQL(
|
||||||
$tableAlias,
|
$tableAlias,
|
||||||
$srcColumn,
|
$srcColumn,
|
||||||
isset($assoc2['inherited']) ? $assoc2['inherited'] : $this->_class->name
|
isset($assoc2['inherited']) ? $assoc2['inherited'] : $this->_class->name
|
||||||
);
|
);
|
||||||
|
@ -309,23 +309,23 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
$columnList .= ', ' . $tableAlias . '.' . $discrColumn;
|
$columnList .= ', ' . $tableAlias . '.' . $discrColumn;
|
||||||
|
|
||||||
$resultColumnName = $this->_platform->getSQLResultCasing($discrColumn);
|
$resultColumnName = $this->_platform->getSQLResultCasing($discrColumn);
|
||||||
|
|
||||||
$this->_rsm->setDiscriminatorColumn('r', $resultColumnName);
|
$this->_rsm->setDiscriminatorColumn('r', $resultColumnName);
|
||||||
$this->_rsm->addMetaResult('r', $resultColumnName, $discrColumn);
|
$this->_rsm->addMetaResult('r', $resultColumnName, $discrColumn);
|
||||||
}
|
}
|
||||||
|
|
||||||
// INNER JOIN parent tables
|
// INNER JOIN parent tables
|
||||||
$joinSql = '';
|
$joinSql = '';
|
||||||
|
|
||||||
foreach ($this->_class->parentClasses as $parentClassName) {
|
foreach ($this->_class->parentClasses as $parentClassName) {
|
||||||
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
||||||
$tableAlias = $this->_getSQLTableAlias($parentClassName);
|
$tableAlias = $this->_getSQLTableAlias($parentClassName);
|
||||||
$joinSql .= ' INNER JOIN ' . $parentClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
$joinSql .= ' INNER JOIN ' . $parentClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
||||||
$first = true;
|
$first = true;
|
||||||
|
|
||||||
foreach ($idColumns as $idColumn) {
|
foreach ($idColumns as $idColumn) {
|
||||||
if ($first) $first = false; else $joinSql .= ' AND ';
|
if ($first) $first = false; else $joinSql .= ' AND ';
|
||||||
|
|
||||||
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -339,7 +339,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
// Add subclass columns
|
// Add subclass columns
|
||||||
foreach ($subClass->fieldMappings as $fieldName => $mapping) {
|
foreach ($subClass->fieldMappings as $fieldName => $mapping) {
|
||||||
if (isset($mapping['inherited'])) continue;
|
if (isset($mapping['inherited'])) continue;
|
||||||
|
|
||||||
$columnList .= ', ' . $this->_getSelectColumnSQL($fieldName, $subClass);
|
$columnList .= ', ' . $this->_getSelectColumnSQL($fieldName, $subClass);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -348,9 +348,9 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
if ($assoc2['isOwningSide'] && $assoc2['type'] & ClassMetadata::TO_ONE && ! isset($assoc2['inherited'])) {
|
if ($assoc2['isOwningSide'] && $assoc2['type'] & ClassMetadata::TO_ONE && ! isset($assoc2['inherited'])) {
|
||||||
foreach ($assoc2['targetToSourceKeyColumns'] as $srcColumn) {
|
foreach ($assoc2['targetToSourceKeyColumns'] as $srcColumn) {
|
||||||
if ($columnList != '') $columnList .= ', ';
|
if ($columnList != '') $columnList .= ', ';
|
||||||
|
|
||||||
$columnList .= $this->getSelectJoinColumnSQL(
|
$columnList .= $this->getSelectJoinColumnSQL(
|
||||||
$tableAlias,
|
$tableAlias,
|
||||||
$srcColumn,
|
$srcColumn,
|
||||||
isset($assoc2['inherited']) ? $assoc2['inherited'] : $subClass->name
|
isset($assoc2['inherited']) ? $assoc2['inherited'] : $subClass->name
|
||||||
);
|
);
|
||||||
|
@ -362,10 +362,10 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
// Add LEFT JOIN
|
// Add LEFT JOIN
|
||||||
$joinSql .= ' LEFT JOIN ' . $subClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
$joinSql .= ' LEFT JOIN ' . $subClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
||||||
$first = true;
|
$first = true;
|
||||||
|
|
||||||
foreach ($idColumns as $idColumn) {
|
foreach ($idColumns as $idColumn) {
|
||||||
if ($first) $first = false; else $joinSql .= ' AND ';
|
if ($first) $first = false; else $joinSql .= ' AND ';
|
||||||
|
|
||||||
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -382,7 +382,7 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
}
|
}
|
||||||
|
|
||||||
$lockSql = '';
|
$lockSql = '';
|
||||||
|
|
||||||
if ($lockMode == LockMode::PESSIMISTIC_READ) {
|
if ($lockMode == LockMode::PESSIMISTIC_READ) {
|
||||||
$lockSql = ' ' . $this->_platform->getReadLockSql();
|
$lockSql = ' ' . $this->_platform->getReadLockSql();
|
||||||
} else if ($lockMode == LockMode::PESSIMISTIC_WRITE) {
|
} else if ($lockMode == LockMode::PESSIMISTIC_WRITE) {
|
||||||
|
@ -408,29 +408,29 @@ class JoinedSubclassPersister extends AbstractEntityInheritancePersister
|
||||||
|
|
||||||
// INNER JOIN parent tables
|
// INNER JOIN parent tables
|
||||||
$joinSql = '';
|
$joinSql = '';
|
||||||
|
|
||||||
foreach ($this->_class->parentClasses as $parentClassName) {
|
foreach ($this->_class->parentClasses as $parentClassName) {
|
||||||
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
$parentClass = $this->_em->getClassMetadata($parentClassName);
|
||||||
$tableAlias = $this->_getSQLTableAlias($parentClassName);
|
$tableAlias = $this->_getSQLTableAlias($parentClassName);
|
||||||
$joinSql .= ' INNER JOIN ' . $parentClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
$joinSql .= ' INNER JOIN ' . $parentClass->getQuotedTableName($this->_platform) . ' ' . $tableAlias . ' ON ';
|
||||||
$first = true;
|
$first = true;
|
||||||
|
|
||||||
foreach ($idColumns as $idColumn) {
|
foreach ($idColumns as $idColumn) {
|
||||||
if ($first) $first = false; else $joinSql .= ' AND ';
|
if ($first) $first = false; else $joinSql .= ' AND ';
|
||||||
|
|
||||||
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
$joinSql .= $baseTableAlias . '.' . $idColumn . ' = ' . $tableAlias . '.' . $idColumn;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return 'FROM ' . $this->_class->getQuotedTableName($this->_platform) . ' ' . $baseTableAlias . $joinSql;
|
return 'FROM ' . $this->_class->getQuotedTableName($this->_platform) . ' ' . $baseTableAlias . $joinSql;
|
||||||
}
|
}
|
||||||
|
|
||||||
/* Ensure this method is never called. This persister overrides _getSelectEntitiesSQL directly. */
|
/* Ensure this method is never called. This persister overrides _getSelectEntitiesSQL directly. */
|
||||||
protected function _getSelectColumnListSQL()
|
protected function _getSelectColumnListSQL()
|
||||||
{
|
{
|
||||||
throw new \BadMethodCallException("Illegal invocation of ".__METHOD__.".");
|
throw new \BadMethodCallException("Illegal invocation of ".__METHOD__.".");
|
||||||
}
|
}
|
||||||
|
|
||||||
/** {@inheritdoc} */
|
/** {@inheritdoc} */
|
||||||
protected function _getInsertColumnList()
|
protected function _getInsertColumnList()
|
||||||
{
|
{
|
||||||
|
|
|
@ -230,10 +230,12 @@ class ProxyFactory
|
||||||
*/
|
*/
|
||||||
private function isShortIdentifierGetter($method, $class)
|
private function isShortIdentifierGetter($method, $class)
|
||||||
{
|
{
|
||||||
|
$identifier = lcfirst(substr($method->getName(), 3));
|
||||||
return (
|
return (
|
||||||
$method->getNumberOfParameters() == 0 &&
|
$method->getNumberOfParameters() == 0 &&
|
||||||
substr($method->getName(), 0, 3) == "get" &&
|
substr($method->getName(), 0, 3) == "get" &&
|
||||||
in_array(lcfirst(substr($method->getName(), 3)), $class->identifier, true) &&
|
in_array($identifier, $class->identifier, true) &&
|
||||||
|
$class->hasField($identifier) &&
|
||||||
(($method->getEndLine() - $method->getStartLine()) <= 4)
|
(($method->getEndLine() - $method->getStartLine()) <= 4)
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
|
@ -232,6 +232,9 @@ final class Query extends AbstractQuery
|
||||||
protected function _doExecute()
|
protected function _doExecute()
|
||||||
{
|
{
|
||||||
$executor = $this->_parse()->getSqlExecutor();
|
$executor = $this->_parse()->getSqlExecutor();
|
||||||
|
if ($this->_queryCacheProfile) {
|
||||||
|
$executor->setQueryCacheProfile($this->_queryCacheProfile);
|
||||||
|
}
|
||||||
|
|
||||||
// Prepare parameters
|
// Prepare parameters
|
||||||
$paramMappings = $this->_parserResult->getParameterMappings();
|
$paramMappings = $this->_parserResult->getParameterMappings();
|
||||||
|
@ -523,7 +526,7 @@ final class Query extends AbstractQuery
|
||||||
*
|
*
|
||||||
* @param array $params The query parameters.
|
* @param array $params The query parameters.
|
||||||
* @param integer $hydrationMode The hydration mode to use.
|
* @param integer $hydrationMode The hydration mode to use.
|
||||||
* @return IterableResult
|
* @return \Doctrine\ORM\Internal\Hydration\IterableResult
|
||||||
*/
|
*/
|
||||||
public function iterate(array $params = array(), $hydrationMode = self::HYDRATE_OBJECT)
|
public function iterate(array $params = array(), $hydrationMode = self::HYDRATE_OBJECT)
|
||||||
{
|
{
|
||||||
|
|
|
@ -1,7 +1,5 @@
|
||||||
<?php
|
<?php
|
||||||
/*
|
/*
|
||||||
* $Id$
|
|
||||||
*
|
|
||||||
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
@ -22,6 +20,7 @@
|
||||||
namespace Doctrine\ORM\Query\Exec;
|
namespace Doctrine\ORM\Query\Exec;
|
||||||
|
|
||||||
use Doctrine\DBAL\Connection;
|
use Doctrine\DBAL\Connection;
|
||||||
|
use Doctrine\DBAL\Cache\QueryCacheProfile;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Base class for SQL statement executors.
|
* Base class for SQL statement executors.
|
||||||
|
@ -34,8 +33,16 @@ use Doctrine\DBAL\Connection;
|
||||||
*/
|
*/
|
||||||
abstract class AbstractSqlExecutor
|
abstract class AbstractSqlExecutor
|
||||||
{
|
{
|
||||||
|
/**
|
||||||
|
* @var array
|
||||||
|
*/
|
||||||
protected $_sqlStatements;
|
protected $_sqlStatements;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @var QueryCacheProfile
|
||||||
|
*/
|
||||||
|
protected $queryCacheProfile;
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Gets the SQL statements that are executed by the executor.
|
* Gets the SQL statements that are executed by the executor.
|
||||||
*
|
*
|
||||||
|
@ -46,12 +53,18 @@ abstract class AbstractSqlExecutor
|
||||||
return $this->_sqlStatements;
|
return $this->_sqlStatements;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public function setQueryCacheProfile(QueryCacheProfile $qcp)
|
||||||
|
{
|
||||||
|
$this->queryCacheProfile = $qcp;
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Executes all sql statements.
|
* Executes all sql statements.
|
||||||
*
|
*
|
||||||
* @param Doctrine\DBAL\Connection $conn The database connection that is used to execute the queries.
|
* @param Doctrine\DBAL\Connection $conn The database connection that is used to execute the queries.
|
||||||
* @param array $params The parameters.
|
* @param array $params The parameters.
|
||||||
|
* @param array $types The parameter types.
|
||||||
* @return Doctrine\DBAL\Driver\Statement
|
* @return Doctrine\DBAL\Driver\Statement
|
||||||
*/
|
*/
|
||||||
abstract public function execute(Connection $conn, array $params, array $types);
|
abstract public function execute(Connection $conn, array $params, array $types);
|
||||||
}
|
}
|
|
@ -1,7 +1,5 @@
|
||||||
<?php
|
<?php
|
||||||
/*
|
/*
|
||||||
* $Id$
|
|
||||||
*
|
|
||||||
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
@ -32,7 +30,6 @@ use Doctrine\DBAL\Connection,
|
||||||
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
* @link http://www.doctrine-project.org
|
* @link http://www.doctrine-project.org
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
* @version $Revision$
|
|
||||||
*/
|
*/
|
||||||
class MultiTableDeleteExecutor extends AbstractSqlExecutor
|
class MultiTableDeleteExecutor extends AbstractSqlExecutor
|
||||||
{
|
{
|
||||||
|
@ -102,11 +99,7 @@ class MultiTableDeleteExecutor extends AbstractSqlExecutor
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Executes all SQL statements.
|
* {@inheritDoc}
|
||||||
*
|
|
||||||
* @param Doctrine\DBAL\Connection $conn The database connection that is used to execute the queries.
|
|
||||||
* @param array $params The parameters.
|
|
||||||
* @override
|
|
||||||
*/
|
*/
|
||||||
public function execute(Connection $conn, array $params, array $types)
|
public function execute(Connection $conn, array $params, array $types)
|
||||||
{
|
{
|
||||||
|
|
|
@ -141,11 +141,7 @@ class MultiTableUpdateExecutor extends AbstractSqlExecutor
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Executes all SQL statements.
|
* {@inheritDoc}
|
||||||
*
|
|
||||||
* @param Connection $conn The database connection that is used to execute the queries.
|
|
||||||
* @param array $params The parameters.
|
|
||||||
* @override
|
|
||||||
*/
|
*/
|
||||||
public function execute(Connection $conn, array $params, array $types)
|
public function execute(Connection $conn, array $params, array $types)
|
||||||
{
|
{
|
||||||
|
|
|
@ -1,7 +1,5 @@
|
||||||
<?php
|
<?php
|
||||||
/*
|
/*
|
||||||
* $Id$
|
|
||||||
*
|
|
||||||
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
@ -30,7 +28,6 @@ use Doctrine\DBAL\Connection,
|
||||||
*
|
*
|
||||||
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
* @author Roman Borschel <roman@code-factory.org>
|
* @author Roman Borschel <roman@code-factory.org>
|
||||||
* @version $Revision$
|
|
||||||
* @link www.doctrine-project.org
|
* @link www.doctrine-project.org
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
*/
|
*/
|
||||||
|
@ -41,8 +38,11 @@ class SingleSelectExecutor extends AbstractSqlExecutor
|
||||||
$this->_sqlStatements = $sqlWalker->walkSelectStatement($AST);
|
$this->_sqlStatements = $sqlWalker->walkSelectStatement($AST);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* {@inheritDoc}
|
||||||
|
*/
|
||||||
public function execute(Connection $conn, array $params, array $types)
|
public function execute(Connection $conn, array $params, array $types)
|
||||||
{
|
{
|
||||||
return $conn->executeQuery($this->_sqlStatements, $params, $types);
|
return $conn->executeQuery($this->_sqlStatements, $params, $types, $this->queryCacheProfile);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,7 +1,5 @@
|
||||||
<?php
|
<?php
|
||||||
/*
|
/*
|
||||||
* $Id$
|
|
||||||
*
|
|
||||||
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
|
||||||
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
|
||||||
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
|
||||||
|
@ -30,7 +28,6 @@ use Doctrine\DBAL\Connection,
|
||||||
*
|
*
|
||||||
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
* @license http://www.opensource.org/licenses/lgpl-license.php LGPL
|
||||||
* @author Roman Borschel <roman@code-factory.org>
|
* @author Roman Borschel <roman@code-factory.org>
|
||||||
* @version $Revision$
|
|
||||||
* @link www.doctrine-project.org
|
* @link www.doctrine-project.org
|
||||||
* @since 2.0
|
* @since 2.0
|
||||||
* @todo This is exactly the same as SingleSelectExecutor. Unify in SingleStatementExecutor.
|
* @todo This is exactly the same as SingleSelectExecutor. Unify in SingleStatementExecutor.
|
||||||
|
@ -45,7 +42,10 @@ class SingleTableDeleteUpdateExecutor extends AbstractSqlExecutor
|
||||||
$this->_sqlStatements = $sqlWalker->walkDeleteStatement($AST);
|
$this->_sqlStatements = $sqlWalker->walkDeleteStatement($AST);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* {@inheritDoc}
|
||||||
|
*/
|
||||||
public function execute(Connection $conn, array $params, array $types)
|
public function execute(Connection $conn, array $params, array $types)
|
||||||
{
|
{
|
||||||
return $conn->executeUpdate($this->_sqlStatements, $params, $types);
|
return $conn->executeUpdate($this->_sqlStatements, $params, $types);
|
||||||
|
|
|
@ -40,10 +40,12 @@ class Expr
|
||||||
*
|
*
|
||||||
* [php]
|
* [php]
|
||||||
* // (u.type = ?1) AND (u.role = ?2)
|
* // (u.type = ?1) AND (u.role = ?2)
|
||||||
* $expr->andX('u.type = ?1', 'u.role = ?2'));
|
* $expr->andX($expr->eq('u.type', ':1'), $expr->eq('u.role', ':2'));
|
||||||
*
|
*
|
||||||
* @param mixed $x Optional clause. Defaults = null, but requires
|
* @param Doctrine\ORM\Query\Expr\Comparison |
|
||||||
* at least one defined when converting to string.
|
* Doctrine\ORM\Query\Expr\Func |
|
||||||
|
* Doctrine\ORM\Query\Expr\Orx
|
||||||
|
* $x Optional clause. Defaults = null, but requires at least one defined when converting to string.
|
||||||
* @return Expr\Andx
|
* @return Expr\Andx
|
||||||
*/
|
*/
|
||||||
public function andX($x = null)
|
public function andX($x = null)
|
||||||
|
|
|
@ -57,7 +57,7 @@ abstract class Base
|
||||||
|
|
||||||
public function add($arg)
|
public function add($arg)
|
||||||
{
|
{
|
||||||
if ( $arg !== null || ($arg instanceof self && $arg->count() > 0)) {
|
if ( $arg !== null || ($arg instanceof self && $arg->count() > 0) ) {
|
||||||
// If we decide to keep Expr\Base instances, we can use this check
|
// If we decide to keep Expr\Base instances, we can use this check
|
||||||
if ( ! is_string($arg)) {
|
if ( ! is_string($arg)) {
|
||||||
$class = get_class($arg);
|
$class = get_class($arg);
|
||||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -139,6 +139,9 @@ class XmlExporter extends AbstractExporter
|
||||||
if (isset($field['columnName'])) {
|
if (isset($field['columnName'])) {
|
||||||
$idXml->addAttribute('column', $field['columnName']);
|
$idXml->addAttribute('column', $field['columnName']);
|
||||||
}
|
}
|
||||||
|
if (isset($field['associationKey']) && $field['associationKey']) {
|
||||||
|
$idXml->addAttribute('association-key', 'true');
|
||||||
|
}
|
||||||
if ($idGeneratorType = $this->_getIdGeneratorTypeString($metadata->generatorType)) {
|
if ($idGeneratorType = $this->_getIdGeneratorTypeString($metadata->generatorType)) {
|
||||||
$generatorXml = $idXml->addChild('generator');
|
$generatorXml = $idXml->addChild('generator');
|
||||||
$generatorXml->addAttribute('strategy', $idGeneratorType);
|
$generatorXml->addAttribute('strategy', $idGeneratorType);
|
||||||
|
|
|
@ -253,12 +253,18 @@ class UnitOfWork implements PropertyChangedListener
|
||||||
* 3) All collection deletions
|
* 3) All collection deletions
|
||||||
* 4) All collection updates
|
* 4) All collection updates
|
||||||
* 5) All entity deletions
|
* 5) All entity deletions
|
||||||
*
|
*
|
||||||
|
* @param object $entity
|
||||||
|
* @return void
|
||||||
*/
|
*/
|
||||||
public function commit()
|
public function commit($entity = null)
|
||||||
{
|
{
|
||||||
// Compute changes done since last commit.
|
// Compute changes done since last commit.
|
||||||
$this->computeChangeSets();
|
if ($entity === null) {
|
||||||
|
$this->computeChangeSets();
|
||||||
|
} else {
|
||||||
|
$this->computeSingleEntityChangeSet($entity);
|
||||||
|
}
|
||||||
|
|
||||||
if ( ! ($this->entityInsertions ||
|
if ( ! ($this->entityInsertions ||
|
||||||
$this->entityDeletions ||
|
$this->entityDeletions ||
|
||||||
|
@ -328,12 +334,17 @@ class UnitOfWork implements PropertyChangedListener
|
||||||
$conn->rollback();
|
$conn->rollback();
|
||||||
throw $e;
|
throw $e;
|
||||||
}
|
}
|
||||||
|
|
||||||
// Take new snapshots from visited collections
|
// Take new snapshots from visited collections
|
||||||
foreach ($this->visitedCollections as $coll) {
|
foreach ($this->visitedCollections as $coll) {
|
||||||
$coll->takeSnapshot();
|
$coll->takeSnapshot();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// Raise postFlush
|
||||||
|
if ($this->evm->hasListeners(Events::postFlush)) {
|
||||||
|
$this->evm->dispatchEvent(Events::postFlush, new Event\PostFlushEventArgs($this->em));
|
||||||
|
}
|
||||||
|
|
||||||
// Clear up
|
// Clear up
|
||||||
$this->entityInsertions =
|
$this->entityInsertions =
|
||||||
$this->entityUpdates =
|
$this->entityUpdates =
|
||||||
|
@ -346,6 +357,61 @@ class UnitOfWork implements PropertyChangedListener
|
||||||
$this->scheduledForDirtyCheck =
|
$this->scheduledForDirtyCheck =
|
||||||
$this->orphanRemovals = array();
|
$this->orphanRemovals = array();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Compute the changesets of all entities scheduled for insertion
|
||||||
|
*
|
||||||
|
* @return void
|
||||||
|
*/
|
||||||
|
private function computeScheduleInsertsChangeSets()
|
||||||
|
{
|
||||||
|
foreach ($this->entityInsertions as $entity) {
|
||||||
|
$class = $this->em->getClassMetadata(get_class($entity));
|
||||||
|
$this->computeChangeSet($class, $entity);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Only flush the given entity according to a ruleset that keeps the UoW consistent.
|
||||||
|
*
|
||||||
|
* 1. All entities scheduled for insertion, (orphan) removals and changes in collections are processed as well!
|
||||||
|
* 2. Read Only entities are skipped.
|
||||||
|
* 3. Proxies are skipped.
|
||||||
|
* 4. Only if entity is properly managed.
|
||||||
|
*
|
||||||
|
* @param object $entity
|
||||||
|
* @return void
|
||||||
|
*/
|
||||||
|
private function computeSingleEntityChangeSet($entity)
|
||||||
|
{
|
||||||
|
if ( ! $this->isInIdentityMap($entity) ) {
|
||||||
|
throw new \InvalidArgumentException("Entity has to be managed for single computation " . self::objToStr($entity));
|
||||||
|
}
|
||||||
|
|
||||||
|
$class = $this->em->getClassMetadata(get_class($entity));
|
||||||
|
|
||||||
|
if ($class->isChangeTrackingDeferredImplicit()) {
|
||||||
|
$this->persist($entity);
|
||||||
|
}
|
||||||
|
|
||||||
|
// Compute changes for INSERTed entities first. This must always happen even in this case.
|
||||||
|
$this->computeScheduleInsertsChangeSets();
|
||||||
|
|
||||||
|
if ( $class->isReadOnly ) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Ignore uninitialized proxy objects
|
||||||
|
if ($entity instanceof Proxy && ! $entity->__isInitialized__) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Only MANAGED entities that are NOT SCHEDULED FOR INSERTION are processed here.
|
||||||
|
$oid = spl_object_hash($entity);
|
||||||
|
if ( ! isset($this->entityInsertions[$oid]) && isset($this->entityStates[$oid])) {
|
||||||
|
$this->computeChangeSet($class, $entity);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Executes any extra updates that have been scheduled.
|
* Executes any extra updates that have been scheduled.
|
||||||
|
@ -526,10 +592,7 @@ class UnitOfWork implements PropertyChangedListener
|
||||||
public function computeChangeSets()
|
public function computeChangeSets()
|
||||||
{
|
{
|
||||||
// Compute changes for INSERTed entities first. This must always happen.
|
// Compute changes for INSERTed entities first. This must always happen.
|
||||||
foreach ($this->entityInsertions as $entity) {
|
$this->computeScheduleInsertsChangeSets();
|
||||||
$class = $this->em->getClassMetadata(get_class($entity));
|
|
||||||
$this->computeChangeSet($class, $entity);
|
|
||||||
}
|
|
||||||
|
|
||||||
// Compute changes for other MANAGED entities. Change tracking policies take effect here.
|
// Compute changes for other MANAGED entities. Change tracking policies take effect here.
|
||||||
foreach ($this->identityMap as $className => $entities) {
|
foreach ($this->identityMap as $className => $entities) {
|
||||||
|
@ -1991,6 +2054,11 @@ class UnitOfWork implements PropertyChangedListener
|
||||||
// Loading the entity right here, if its in the eager loading map get rid of it there.
|
// Loading the entity right here, if its in the eager loading map get rid of it there.
|
||||||
unset($this->eagerLoadingEntities[$class->rootEntityName][$idHash]);
|
unset($this->eagerLoadingEntities[$class->rootEntityName][$idHash]);
|
||||||
|
|
||||||
|
if (isset($this->eagerLoadingEntities[$class->rootEntityName]) &&
|
||||||
|
! $this->eagerLoadingEntities[$class->rootEntityName]) {
|
||||||
|
unset($this->eagerLoadingEntities[$class->rootEntityName]);
|
||||||
|
}
|
||||||
|
|
||||||
// Properly initialize any unfetched associations, if partial objects are not allowed.
|
// Properly initialize any unfetched associations, if partial objects are not allowed.
|
||||||
if ( ! isset($hints[Query::HINT_FORCE_PARTIAL_LOAD])) {
|
if ( ! isset($hints[Query::HINT_FORCE_PARTIAL_LOAD])) {
|
||||||
foreach ($class->associationMappings as $field => $assoc) {
|
foreach ($class->associationMappings as $field => $assoc) {
|
||||||
|
|
2
lib/vendor/doctrine-common
vendored
2
lib/vendor/doctrine-common
vendored
|
@ -1 +1 @@
|
||||||
Subproject commit ef431a14852d7e8f2d0ea789487509ab266e5ce2
|
Subproject commit b2fd909b4b5476df01744c9d34c7a23723a687b6
|
2
lib/vendor/doctrine-dbal
vendored
2
lib/vendor/doctrine-dbal
vendored
|
@ -1 +1 @@
|
||||||
Subproject commit f91395b6f469b5076f52fefd64574c443b076485
|
Subproject commit 537de7ea6a34edbcc40bc6ca92e0a3f816b59330
|
|
@ -9,6 +9,7 @@ class DDC117Article
|
||||||
{
|
{
|
||||||
/** @Id @Column(type="integer", name="article_id") @GeneratedValue */
|
/** @Id @Column(type="integer", name="article_id") @GeneratedValue */
|
||||||
private $id;
|
private $id;
|
||||||
|
|
||||||
/** @Column */
|
/** @Column */
|
||||||
private $title;
|
private $title;
|
||||||
|
|
||||||
|
|
|
@ -1030,4 +1030,173 @@ class BasicFunctionalTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
$this->assertEquals(\Doctrine\ORM\UnitOfWork::STATE_DETACHED, $unitOfWork->getEntityState($address));
|
$this->assertEquals(\Doctrine\ORM\UnitOfWork::STATE_DETACHED, $unitOfWork->getEntityState($address));
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushSingleManagedEntity()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$this->_em->flush();
|
||||||
|
|
||||||
|
$user->status = 'administrator';
|
||||||
|
$this->_em->flush($user);
|
||||||
|
$this->_em->clear();
|
||||||
|
|
||||||
|
$user = $this->_em->find(get_class($user), $user->id);
|
||||||
|
$this->assertEquals('administrator', $user->status);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushSingleUnmanagedEntity()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->setExpectedException('InvalidArgumentException', 'Entity has to be managed for single computation');
|
||||||
|
$this->_em->flush($user);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushSingleAndNewEntity()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$this->_em->flush();
|
||||||
|
|
||||||
|
$otherUser = new CmsUser;
|
||||||
|
$otherUser->name = 'Dominik2';
|
||||||
|
$otherUser->username = 'domnikl2';
|
||||||
|
$otherUser->status = 'developer';
|
||||||
|
|
||||||
|
$user->status = 'administrator';
|
||||||
|
|
||||||
|
$this->_em->persist($otherUser);
|
||||||
|
$this->_em->flush($user);
|
||||||
|
|
||||||
|
$this->assertTrue($this->_em->contains($otherUser), "Other user is contained in EntityManager");
|
||||||
|
$this->assertTrue($otherUser->id > 0, "other user has an id");
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushAndCascadePersist()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$this->_em->flush();
|
||||||
|
|
||||||
|
$address = new CmsAddress();
|
||||||
|
$address->city = "Springfield";
|
||||||
|
$address->zip = "12354";
|
||||||
|
$address->country = "Germany";
|
||||||
|
$address->street = "Foo Street";
|
||||||
|
$address->user = $user;
|
||||||
|
$user->address = $address;
|
||||||
|
|
||||||
|
$this->_em->flush($user);
|
||||||
|
|
||||||
|
$this->assertTrue($this->_em->contains($address), "Other user is contained in EntityManager");
|
||||||
|
$this->assertTrue($address->id > 0, "other user has an id");
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushSingleAndNoCascade()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$this->_em->flush();
|
||||||
|
|
||||||
|
$article1 = new CmsArticle();
|
||||||
|
$article1->topic = 'Foo';
|
||||||
|
$article1->text = 'Foo Text';
|
||||||
|
$article1->author = $user;
|
||||||
|
$user->articles[] = $article1;
|
||||||
|
|
||||||
|
$this->setExpectedException('InvalidArgumentException', "A new entity was found through the relationship 'Doctrine\Tests\Models\CMS\CmsUser#articles'");
|
||||||
|
$this->_em->flush($user);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testProxyIsIgnored()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$this->_em->flush();
|
||||||
|
$this->_em->clear();
|
||||||
|
|
||||||
|
$user = $this->_em->getReference(get_class($user), $user->id);
|
||||||
|
|
||||||
|
$otherUser = new CmsUser;
|
||||||
|
$otherUser->name = 'Dominik2';
|
||||||
|
$otherUser->username = 'domnikl2';
|
||||||
|
$otherUser->status = 'developer';
|
||||||
|
|
||||||
|
$this->_em->persist($otherUser);
|
||||||
|
$this->_em->flush($user);
|
||||||
|
|
||||||
|
$this->assertTrue($this->_em->contains($otherUser), "Other user is contained in EntityManager");
|
||||||
|
$this->assertTrue($otherUser->id > 0, "other user has an id");
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-720
|
||||||
|
*/
|
||||||
|
public function testFlushSingleSaveOnlySingle()
|
||||||
|
{
|
||||||
|
$user = new CmsUser;
|
||||||
|
$user->name = 'Dominik';
|
||||||
|
$user->username = 'domnikl';
|
||||||
|
$user->status = 'developer';
|
||||||
|
$this->_em->persist($user);
|
||||||
|
|
||||||
|
$user2 = new CmsUser;
|
||||||
|
$user2->name = 'Dominik';
|
||||||
|
$user2->username = 'domnikl2';
|
||||||
|
$user2->status = 'developer';
|
||||||
|
$this->_em->persist($user2);
|
||||||
|
|
||||||
|
$this->_em->flush();
|
||||||
|
|
||||||
|
$user->status = 'admin';
|
||||||
|
$user2->status = 'admin';
|
||||||
|
|
||||||
|
$this->_em->flush($user);
|
||||||
|
$this->_em->clear();
|
||||||
|
|
||||||
|
$user2 = $this->_em->find(get_class($user2), $user2->id);
|
||||||
|
$this->assertEquals('developer', $user2->status);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -98,7 +98,7 @@ class DatabaseDriverTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertArrayHasKey('CmsUsers', $metadatas, 'CmsUsers entity was not detected.');
|
$this->assertArrayHasKey('CmsUsers', $metadatas, 'CmsUsers entity was not detected.');
|
||||||
$this->assertArrayHasKey('CmsGroups', $metadatas, 'CmsGroups entity was not detected.');
|
$this->assertArrayHasKey('CmsGroups', $metadatas, 'CmsGroups entity was not detected.');
|
||||||
|
|
||||||
$this->assertEquals(1, count($metadatas['CmsUsers']->associationMappings));
|
$this->assertEquals(2, count($metadatas['CmsUsers']->associationMappings));
|
||||||
$this->assertArrayHasKey('group', $metadatas['CmsUsers']->associationMappings);
|
$this->assertArrayHasKey('group', $metadatas['CmsUsers']->associationMappings);
|
||||||
$this->assertEquals(1, count($metadatas['CmsGroups']->associationMappings));
|
$this->assertEquals(1, count($metadatas['CmsGroups']->associationMappings));
|
||||||
$this->assertArrayHasKey('user', $metadatas['CmsGroups']->associationMappings);
|
$this->assertArrayHasKey('user', $metadatas['CmsGroups']->associationMappings);
|
||||||
|
|
|
@ -20,7 +20,9 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
public function tearDown()
|
public function tearDown()
|
||||||
{
|
{
|
||||||
$this->_em->getConfiguration()->setEntityNamespaces(array());
|
if ($this->_em) {
|
||||||
|
$this->_em->getConfiguration()->setEntityNamespaces(array());
|
||||||
|
}
|
||||||
parent::tearDown();
|
parent::tearDown();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -78,7 +80,7 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
return array($user->id, $address->id);
|
return array($user->id, $address->id);
|
||||||
}
|
}
|
||||||
|
|
||||||
public function buildUser($name, $username, $status, $address)
|
public function buildUser($name, $username, $status, $address)
|
||||||
{
|
{
|
||||||
$user = new CmsUser();
|
$user = new CmsUser();
|
||||||
|
@ -89,10 +91,10 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
$this->_em->persist($user);
|
$this->_em->persist($user);
|
||||||
$this->_em->flush();
|
$this->_em->flush();
|
||||||
|
|
||||||
return $user;
|
return $user;
|
||||||
}
|
}
|
||||||
|
|
||||||
public function buildAddress($country, $city, $street, $zip)
|
public function buildAddress($country, $city, $street, $zip)
|
||||||
{
|
{
|
||||||
$address = new CmsAddress();
|
$address = new CmsAddress();
|
||||||
|
@ -103,7 +105,7 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
$this->_em->persist($address);
|
$this->_em->persist($address);
|
||||||
$this->_em->flush();
|
$this->_em->flush();
|
||||||
|
|
||||||
return $address;
|
return $address;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -134,22 +136,22 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
{
|
{
|
||||||
$address1 = $this->buildAddress('Germany', 'Berlim', 'Foo st.', '123456');
|
$address1 = $this->buildAddress('Germany', 'Berlim', 'Foo st.', '123456');
|
||||||
$user1 = $this->buildUser('Benjamin', 'beberlei', 'dev', $address1);
|
$user1 = $this->buildUser('Benjamin', 'beberlei', 'dev', $address1);
|
||||||
|
|
||||||
$address2 = $this->buildAddress('Brazil', 'São Paulo', 'Bar st.', '654321');
|
$address2 = $this->buildAddress('Brazil', 'São Paulo', 'Bar st.', '654321');
|
||||||
$user2 = $this->buildUser('Guilherme', 'guilhermeblanco', 'freak', $address2);
|
$user2 = $this->buildUser('Guilherme', 'guilhermeblanco', 'freak', $address2);
|
||||||
|
|
||||||
$address3 = $this->buildAddress('USA', 'Nashville', 'Woo st.', '321654');
|
$address3 = $this->buildAddress('USA', 'Nashville', 'Woo st.', '321654');
|
||||||
$user3 = $this->buildUser('Jonathan', 'jwage', 'dev', $address3);
|
$user3 = $this->buildUser('Jonathan', 'jwage', 'dev', $address3);
|
||||||
|
|
||||||
unset($address1);
|
unset($address1);
|
||||||
unset($address2);
|
unset($address2);
|
||||||
unset($address3);
|
unset($address3);
|
||||||
|
|
||||||
$this->_em->clear();
|
$this->_em->clear();
|
||||||
|
|
||||||
$repository = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsAddress');
|
$repository = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsAddress');
|
||||||
$addresses = $repository->findBy(array('user' => array($user1->getId(), $user2->getId())));
|
$addresses = $repository->findBy(array('user' => array($user1->getId(), $user2->getId())));
|
||||||
|
|
||||||
$this->assertEquals(2, count($addresses));
|
$this->assertEquals(2, count($addresses));
|
||||||
$this->assertInstanceOf('Doctrine\Tests\Models\CMS\CmsAddress',$addresses[0]);
|
$this->assertInstanceOf('Doctrine\Tests\Models\CMS\CmsAddress',$addresses[0]);
|
||||||
}
|
}
|
||||||
|
@ -158,22 +160,22 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
{
|
{
|
||||||
$address1 = $this->buildAddress('Germany', 'Berlim', 'Foo st.', '123456');
|
$address1 = $this->buildAddress('Germany', 'Berlim', 'Foo st.', '123456');
|
||||||
$user1 = $this->buildUser('Benjamin', 'beberlei', 'dev', $address1);
|
$user1 = $this->buildUser('Benjamin', 'beberlei', 'dev', $address1);
|
||||||
|
|
||||||
$address2 = $this->buildAddress('Brazil', 'São Paulo', 'Bar st.', '654321');
|
$address2 = $this->buildAddress('Brazil', 'São Paulo', 'Bar st.', '654321');
|
||||||
$user2 = $this->buildUser('Guilherme', 'guilhermeblanco', 'freak', $address2);
|
$user2 = $this->buildUser('Guilherme', 'guilhermeblanco', 'freak', $address2);
|
||||||
|
|
||||||
$address3 = $this->buildAddress('USA', 'Nashville', 'Woo st.', '321654');
|
$address3 = $this->buildAddress('USA', 'Nashville', 'Woo st.', '321654');
|
||||||
$user3 = $this->buildUser('Jonathan', 'jwage', 'dev', $address3);
|
$user3 = $this->buildUser('Jonathan', 'jwage', 'dev', $address3);
|
||||||
|
|
||||||
unset($address1);
|
unset($address1);
|
||||||
unset($address2);
|
unset($address2);
|
||||||
unset($address3);
|
unset($address3);
|
||||||
|
|
||||||
$this->_em->clear();
|
$this->_em->clear();
|
||||||
|
|
||||||
$repository = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsAddress');
|
$repository = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsAddress');
|
||||||
$addresses = $repository->findBy(array('user' => array($user1, $user2)));
|
$addresses = $repository->findBy(array('user' => array($user1, $user2)));
|
||||||
|
|
||||||
$this->assertEquals(2, count($addresses));
|
$this->assertEquals(2, count($addresses));
|
||||||
$this->assertInstanceOf('Doctrine\Tests\Models\CMS\CmsAddress',$addresses[0]);
|
$this->assertInstanceOf('Doctrine\Tests\Models\CMS\CmsAddress',$addresses[0]);
|
||||||
}
|
}
|
||||||
|
@ -189,7 +191,7 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertEquals('Guilherme', $users[0]->name);
|
$this->assertEquals('Guilherme', $users[0]->name);
|
||||||
$this->assertEquals('dev', $users[0]->status);
|
$this->assertEquals('dev', $users[0]->status);
|
||||||
}
|
}
|
||||||
|
|
||||||
public function testFindAll()
|
public function testFindAll()
|
||||||
{
|
{
|
||||||
$user1Id = $this->loadFixture();
|
$user1Id = $this->loadFixture();
|
||||||
|
@ -280,7 +282,7 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$userId = $user->id;
|
$userId = $user->id;
|
||||||
|
|
||||||
$this->_em->find('Doctrine\Tests\Models\CMS\CmsUser', $userId);
|
$this->_em->find('Doctrine\Tests\Models\CMS\CmsUser', $userId);
|
||||||
|
|
||||||
$this->setExpectedException('Doctrine\ORM\OptimisticLockException');
|
$this->setExpectedException('Doctrine\ORM\OptimisticLockException');
|
||||||
$this->_em->find('Doctrine\Tests\Models\CMS\CmsUser', $userId, \Doctrine\DBAL\LockMode::OPTIMISTIC);
|
$this->_em->find('Doctrine\Tests\Models\CMS\CmsUser', $userId, \Doctrine\DBAL\LockMode::OPTIMISTIC);
|
||||||
}
|
}
|
||||||
|
@ -423,7 +425,7 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
public function testFindByLimitOffset()
|
public function testFindByLimitOffset()
|
||||||
{
|
{
|
||||||
$this->loadFixture();
|
$this->loadFixture();
|
||||||
|
|
||||||
$repos = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsUser');
|
$repos = $this->_em->getRepository('Doctrine\Tests\Models\CMS\CmsUser');
|
||||||
|
|
||||||
$users1 = $repos->findBy(array(), null, 1, 0);
|
$users1 = $repos->findBy(array(), null, 1, 0);
|
||||||
|
@ -451,8 +453,8 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertSame($usersAsc[0], $usersDesc[2]);
|
$this->assertSame($usersAsc[0], $usersDesc[2]);
|
||||||
$this->assertSame($usersAsc[2], $usersDesc[0]);
|
$this->assertSame($usersAsc[2], $usersDesc[0]);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @group DDC-753
|
* @group DDC-753
|
||||||
*/
|
*/
|
||||||
|
@ -465,19 +467,19 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$repos = $this->_em->getRepository('Doctrine\Tests\Models\DDC753\DDC753EntityWithDefaultCustomRepository');
|
$repos = $this->_em->getRepository('Doctrine\Tests\Models\DDC753\DDC753EntityWithDefaultCustomRepository');
|
||||||
$this->assertInstanceOf("Doctrine\Tests\Models\DDC753\DDC753DefaultRepository", $repos);
|
$this->assertInstanceOf("Doctrine\Tests\Models\DDC753\DDC753DefaultRepository", $repos);
|
||||||
$this->assertTrue($repos->isDefaultRepository());
|
$this->assertTrue($repos->isDefaultRepository());
|
||||||
|
|
||||||
|
|
||||||
$repos = $this->_em->getRepository('Doctrine\Tests\Models\DDC753\DDC753EntityWithCustomRepository');
|
$repos = $this->_em->getRepository('Doctrine\Tests\Models\DDC753\DDC753EntityWithCustomRepository');
|
||||||
$this->assertInstanceOf("Doctrine\Tests\Models\DDC753\DDC753CustomRepository", $repos);
|
$this->assertInstanceOf("Doctrine\Tests\Models\DDC753\DDC753CustomRepository", $repos);
|
||||||
$this->assertTrue($repos->isCustomRepository());
|
$this->assertTrue($repos->isCustomRepository());
|
||||||
|
|
||||||
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\Tests\Models\DDC753\DDC753DefaultRepository");
|
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\Tests\Models\DDC753\DDC753DefaultRepository");
|
||||||
$this->_em->getConfiguration()->setDefaultRepositoryClassName("Doctrine\ORM\EntityRepository");
|
$this->_em->getConfiguration()->setDefaultRepositoryClassName("Doctrine\ORM\EntityRepository");
|
||||||
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\ORM\EntityRepository");
|
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\ORM\EntityRepository");
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @group DDC-753
|
* @group DDC-753
|
||||||
* @expectedException Doctrine\ORM\ORMException
|
* @expectedException Doctrine\ORM\ORMException
|
||||||
|
@ -488,6 +490,6 @@ class EntityRepositoryTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\ORM\EntityRepository");
|
$this->assertEquals($this->_em->getConfiguration()->getDefaultRepositoryClassName(), "Doctrine\ORM\EntityRepository");
|
||||||
$this->_em->getConfiguration()->setDefaultRepositoryClassName("Doctrine\Tests\Models\DDC753\DDC753InvalidRepository");
|
$this->_em->getConfiguration()->setDefaultRepositoryClassName("Doctrine\Tests\Models\DDC753\DDC753InvalidRepository");
|
||||||
}
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
95
tests/Doctrine/Tests/ORM/Functional/PostFlushEventTest.php
Normal file
95
tests/Doctrine/Tests/ORM/Functional/PostFlushEventTest.php
Normal file
|
@ -0,0 +1,95 @@
|
||||||
|
<?php
|
||||||
|
namespace Doctrine\Tests\ORM\Functional;
|
||||||
|
use Doctrine\Tests\Models\CMS\CmsUser;
|
||||||
|
use Doctrine\ORM\Event\PostFlushEventArgs;
|
||||||
|
use Doctrine\ORM\Events;
|
||||||
|
require_once __DIR__ . '/../../TestInit.php';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* PostFlushEventTest
|
||||||
|
*
|
||||||
|
* @author Daniel Freudenberger <df@rebuy.de>
|
||||||
|
*/
|
||||||
|
class PostFlushEventTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* @var PostFlushListener
|
||||||
|
*/
|
||||||
|
private $listener;
|
||||||
|
|
||||||
|
protected function setUp()
|
||||||
|
{
|
||||||
|
$this->useModelSet('cms');
|
||||||
|
parent::setUp();
|
||||||
|
$this->listener = new PostFlushListener();
|
||||||
|
$evm = $this->_em->getEventManager();
|
||||||
|
$evm->addEventListener(Events::postFlush, $this->listener);
|
||||||
|
}
|
||||||
|
|
||||||
|
public function testListenerShouldBeNotified()
|
||||||
|
{
|
||||||
|
$this->_em->persist($this->createNewValidUser());
|
||||||
|
$this->_em->flush();
|
||||||
|
$this->assertTrue($this->listener->wasNotified);
|
||||||
|
}
|
||||||
|
|
||||||
|
public function testListenerShouldNotBeNotifiedWhenFlushThrowsException()
|
||||||
|
{
|
||||||
|
$user = new CmsUser();
|
||||||
|
$user->username = 'dfreudenberger';
|
||||||
|
$this->_em->persist($user);
|
||||||
|
$exceptionRaised = false;
|
||||||
|
|
||||||
|
try {
|
||||||
|
$this->_em->flush();
|
||||||
|
} catch (\Exception $ex) {
|
||||||
|
$exceptionRaised = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
$this->assertTrue($exceptionRaised);
|
||||||
|
$this->assertFalse($this->listener->wasNotified);
|
||||||
|
}
|
||||||
|
|
||||||
|
public function testListenerShouldReceiveEntityManagerThroughArgs()
|
||||||
|
{
|
||||||
|
$this->_em->persist($this->createNewValidUser());
|
||||||
|
$this->_em->flush();
|
||||||
|
$receivedEm = $this->listener->receivedArgs->getEntityManager();
|
||||||
|
$this->assertSame($this->_em, $receivedEm);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return CmsUser
|
||||||
|
*/
|
||||||
|
private function createNewValidUser()
|
||||||
|
{
|
||||||
|
$user = new CmsUser();
|
||||||
|
$user->username = 'dfreudenberger';
|
||||||
|
$user->name = 'Daniel Freudenberger';
|
||||||
|
return $user;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
class PostFlushListener
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* @var bool
|
||||||
|
*/
|
||||||
|
public $wasNotified = false;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @var PostFlushEventArgs
|
||||||
|
*/
|
||||||
|
public $receivedArgs;
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param PostFlushEventArgs $args
|
||||||
|
*/
|
||||||
|
public function postFlush(PostFlushEventArgs $args)
|
||||||
|
{
|
||||||
|
$this->wasNotified = true;
|
||||||
|
$this->receivedArgs = $args;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
|
|
@ -104,7 +104,7 @@ class QueryCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
|
||||||
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux');
|
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux');
|
||||||
|
|
||||||
$cache = $this->getMock('Doctrine\Common\Cache\ArrayCache', array('doFetch', 'doSave'));
|
$cache = $this->getMock('Doctrine\Common\Cache\ArrayCache', array('doFetch', 'doSave', 'doGetStats'));
|
||||||
$cache->expects($this->at(0))
|
$cache->expects($this->at(0))
|
||||||
->method('doFetch')
|
->method('doFetch')
|
||||||
->with($this->isType('string'))
|
->with($this->isType('string'))
|
||||||
|
@ -135,7 +135,7 @@ class QueryCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
->will($this->returnValue($sqlExecMock));
|
->will($this->returnValue($sqlExecMock));
|
||||||
|
|
||||||
$cache = $this->getMock('Doctrine\Common\Cache\CacheProvider',
|
$cache = $this->getMock('Doctrine\Common\Cache\CacheProvider',
|
||||||
array('doFetch', 'doContains', 'doSave', 'doDelete', 'doFlush'));
|
array('doFetch', 'doContains', 'doSave', 'doDelete', 'doFlush', 'doGetStats'));
|
||||||
$cache->expects($this->once())
|
$cache->expects($this->once())
|
||||||
->method('doFetch')
|
->method('doFetch')
|
||||||
->with($this->isType('string'))
|
->with($this->isType('string'))
|
||||||
|
|
|
@ -90,10 +90,10 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
public function testUseResultCache()
|
public function testUseResultCache()
|
||||||
{
|
{
|
||||||
$cache = new \Doctrine\Common\Cache\ArrayCache();
|
$cache = new \Doctrine\Common\Cache\ArrayCache();
|
||||||
$this->_em->getConfiguration()->setResultCacheImpl($cache);
|
|
||||||
|
|
||||||
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux');
|
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux');
|
||||||
$query->useResultCache(true);
|
$query->useResultCache(true);
|
||||||
|
$query->setResultCacheDriver($cache);
|
||||||
$query->setResultCacheId('testing_result_cache_id');
|
$query->setResultCacheId('testing_result_cache_id');
|
||||||
$users = $query->getResult();
|
$users = $query->getResult();
|
||||||
|
|
||||||
|
@ -108,11 +108,11 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
public function testUseResultCacheParams()
|
public function testUseResultCacheParams()
|
||||||
{
|
{
|
||||||
$cache = new \Doctrine\Common\Cache\ArrayCache();
|
$cache = new \Doctrine\Common\Cache\ArrayCache();
|
||||||
$this->_em->getConfiguration()->setResultCacheImpl($cache);
|
|
||||||
|
|
||||||
$sqlCount = count($this->_sqlLoggerStack->queries);
|
$sqlCount = count($this->_sqlLoggerStack->queries);
|
||||||
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux WHERE ux.id = ?1');
|
$query = $this->_em->createQuery('select ux from Doctrine\Tests\Models\CMS\CmsUser ux WHERE ux.id = ?1');
|
||||||
$query->setParameter(1, 1);
|
$query->setParameter(1, 1);
|
||||||
|
$query->setResultCacheDriver($cache);
|
||||||
$query->useResultCache(true);
|
$query->useResultCache(true);
|
||||||
$query->getResult();
|
$query->getResult();
|
||||||
|
|
||||||
|
@ -149,10 +149,10 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @param <type> $query
|
* @param string $query
|
||||||
* @depends testNativeQueryResultCaching
|
* @depends testNativeQueryResultCaching
|
||||||
*/
|
*/
|
||||||
public function testResultCacheDependsOnQueryHints($query)
|
public function testResultCacheNotDependsOnQueryHints($query)
|
||||||
{
|
{
|
||||||
$cache = $query->getResultCacheDriver();
|
$cache = $query->getResultCacheDriver();
|
||||||
$cacheCount = $this->getCacheSize($cache);
|
$cacheCount = $this->getCacheSize($cache);
|
||||||
|
@ -160,7 +160,7 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$query->setHint('foo', 'bar');
|
$query->setHint('foo', 'bar');
|
||||||
$query->getResult();
|
$query->getResult();
|
||||||
|
|
||||||
$this->assertEquals($cacheCount + 1, $this->getCacheSize($cache));
|
$this->assertEquals($cacheCount, $this->getCacheSize($cache));
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
@ -182,7 +182,7 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
* @param <type> $query
|
* @param <type> $query
|
||||||
* @depends testNativeQueryResultCaching
|
* @depends testNativeQueryResultCaching
|
||||||
*/
|
*/
|
||||||
public function testResultCacheDependsOnHydrationMode($query)
|
public function testResultCacheNotDependsOnHydrationMode($query)
|
||||||
{
|
{
|
||||||
$cache = $query->getResultCacheDriver();
|
$cache = $query->getResultCacheDriver();
|
||||||
$cacheCount = $this->getCacheSize($cache);
|
$cacheCount = $this->getCacheSize($cache);
|
||||||
|
@ -190,7 +190,7 @@ class ResultCacheTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertNotEquals(\Doctrine\ORM\Query::HYDRATE_ARRAY, $query->getHydrationMode());
|
$this->assertNotEquals(\Doctrine\ORM\Query::HYDRATE_ARRAY, $query->getHydrationMode());
|
||||||
$query->getArrayResult();
|
$query->getArrayResult();
|
||||||
|
|
||||||
$this->assertEquals($cacheCount + 1, $this->getCacheSize($cache));
|
$this->assertEquals($cacheCount, $this->getCacheSize($cache));
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
|
|
|
@ -27,15 +27,16 @@ class MySqlSchemaToolTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$tool = new SchemaTool($this->_em);
|
$tool = new SchemaTool($this->_em);
|
||||||
$sql = $tool->getCreateSchemaSql($classes);
|
$sql = $tool->getCreateSchemaSql($classes);
|
||||||
$this->assertEquals("CREATE TABLE cms_addresses (id INT AUTO_INCREMENT NOT NULL, user_id INT DEFAULT NULL, country VARCHAR(50) NOT NULL, zip VARCHAR(50) NOT NULL, city VARCHAR(50) NOT NULL, UNIQUE INDEX UNIQ_ACAC157BA76ED395 (user_id), PRIMARY KEY(id)) ENGINE = InnoDB", $sql[0]);
|
$this->assertEquals("CREATE TABLE cms_addresses (id INT AUTO_INCREMENT NOT NULL, user_id INT DEFAULT NULL, country VARCHAR(50) NOT NULL, zip VARCHAR(50) NOT NULL, city VARCHAR(50) NOT NULL, UNIQUE INDEX UNIQ_ACAC157BA76ED395 (user_id), PRIMARY KEY(id)) ENGINE = InnoDB", $sql[0]);
|
||||||
$this->assertEquals("CREATE TABLE cms_users (id INT AUTO_INCREMENT NOT NULL, status VARCHAR(50) NOT NULL, username VARCHAR(255) NOT NULL, name VARCHAR(255) NOT NULL, UNIQUE INDEX UNIQ_3AF03EC5F85E0677 (username), PRIMARY KEY(id)) ENGINE = InnoDB", $sql[1]);
|
$this->assertEquals("CREATE TABLE cms_users (id INT AUTO_INCREMENT NOT NULL, email_id INT DEFAULT NULL, status VARCHAR(50) DEFAULT NULL, username VARCHAR(255) NOT NULL, name VARCHAR(255) NOT NULL, UNIQUE INDEX UNIQ_3AF03EC5F85E0677 (username), UNIQUE INDEX UNIQ_3AF03EC5A832C1C9 (email_id), PRIMARY KEY(id)) ENGINE = InnoDB", $sql[1]);
|
||||||
$this->assertEquals("CREATE TABLE cms_users_groups (user_id INT NOT NULL, group_id INT NOT NULL, INDEX IDX_7EA9409AA76ED395 (user_id), INDEX IDX_7EA9409AFE54D947 (group_id), PRIMARY KEY(user_id, group_id)) ENGINE = InnoDB", $sql[2]);
|
$this->assertEquals("CREATE TABLE cms_users_groups (user_id INT NOT NULL, group_id INT NOT NULL, INDEX IDX_7EA9409AA76ED395 (user_id), INDEX IDX_7EA9409AFE54D947 (group_id), PRIMARY KEY(user_id, group_id)) ENGINE = InnoDB", $sql[2]);
|
||||||
$this->assertEquals("CREATE TABLE cms_phonenumbers (phonenumber VARCHAR(50) NOT NULL, user_id INT DEFAULT NULL, INDEX IDX_F21F790FA76ED395 (user_id), PRIMARY KEY(phonenumber)) ENGINE = InnoDB", $sql[3]);
|
$this->assertEquals("CREATE TABLE cms_phonenumbers (phonenumber VARCHAR(50) NOT NULL, user_id INT DEFAULT NULL, INDEX IDX_F21F790FA76ED395 (user_id), PRIMARY KEY(phonenumber)) ENGINE = InnoDB", $sql[3]);
|
||||||
$this->assertEquals("ALTER TABLE cms_addresses ADD FOREIGN KEY (user_id) REFERENCES cms_users(id)", $sql[4]);
|
$this->assertEquals("ALTER TABLE cms_addresses ADD CONSTRAINT FK_ACAC157BA76ED395 FOREIGN KEY (user_id) REFERENCES cms_users (id)", $sql[4]);
|
||||||
$this->assertEquals("ALTER TABLE cms_users_groups ADD FOREIGN KEY (user_id) REFERENCES cms_users(id)", $sql[5]);
|
$this->assertEquals("ALTER TABLE cms_users ADD CONSTRAINT FK_3AF03EC5A832C1C9 FOREIGN KEY (email_id) REFERENCES cms_emails (id)", $sql[5]);
|
||||||
$this->assertEquals("ALTER TABLE cms_users_groups ADD FOREIGN KEY (group_id) REFERENCES cms_groups(id)", $sql[6]);
|
$this->assertEquals("ALTER TABLE cms_users_groups ADD CONSTRAINT FK_7EA9409AA76ED395 FOREIGN KEY (user_id) REFERENCES cms_users (id)", $sql[6]);
|
||||||
$this->assertEquals("ALTER TABLE cms_phonenumbers ADD FOREIGN KEY (user_id) REFERENCES cms_users(id)", $sql[7]);
|
$this->assertEquals("ALTER TABLE cms_users_groups ADD CONSTRAINT FK_7EA9409AFE54D947 FOREIGN KEY (group_id) REFERENCES cms_groups (id)", $sql[7]);
|
||||||
|
$this->assertEquals("ALTER TABLE cms_phonenumbers ADD CONSTRAINT FK_F21F790FA76ED395 FOREIGN KEY (user_id) REFERENCES cms_users (id)", $sql[8]);
|
||||||
$this->assertEquals(8, count($sql));
|
|
||||||
|
$this->assertEquals(9, count($sql));
|
||||||
}
|
}
|
||||||
|
|
||||||
public function testGetCreateSchemaSql2()
|
public function testGetCreateSchemaSql2()
|
||||||
|
@ -63,4 +64,4 @@ class MySqlSchemaToolTest extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
$this->assertEquals(1, count($sql));
|
$this->assertEquals(1, count($sql));
|
||||||
$this->assertEquals("CREATE TABLE boolean_model (id INT AUTO_INCREMENT NOT NULL, booleanField TINYINT(1) NOT NULL, PRIMARY KEY(id)) ENGINE = InnoDB", $sql[0]);
|
$this->assertEquals("CREATE TABLE boolean_model (id INT AUTO_INCREMENT NOT NULL, booleanField TINYINT(1) NOT NULL, PRIMARY KEY(id)) ENGINE = InnoDB", $sql[0]);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
69
tests/Doctrine/Tests/ORM/Functional/Ticket/DDC1454Test.php
Normal file
69
tests/Doctrine/Tests/ORM/Functional/Ticket/DDC1454Test.php
Normal file
|
@ -0,0 +1,69 @@
|
||||||
|
<?php
|
||||||
|
|
||||||
|
namespace Doctrine\Tests\ORM\Functional\Ticket;
|
||||||
|
|
||||||
|
use Doctrine\ORM\UnitOfWork;
|
||||||
|
|
||||||
|
require_once __DIR__ . '/../../../TestInit.php';
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @group DDC-1454
|
||||||
|
*/
|
||||||
|
class DDC1454Test extends \Doctrine\Tests\OrmFunctionalTestCase
|
||||||
|
{
|
||||||
|
protected function setUp()
|
||||||
|
{
|
||||||
|
parent::setUp();
|
||||||
|
|
||||||
|
try {
|
||||||
|
$this->_schemaTool->createSchema(array(
|
||||||
|
$this->_em->getClassMetadata(__NAMESPACE__ . '\DDC1454File'),
|
||||||
|
$this->_em->getClassMetadata(__NAMESPACE__ . '\DDC1454Picture'),
|
||||||
|
));
|
||||||
|
} catch (\Exception $ignored) {
|
||||||
|
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
public function testFailingCase()
|
||||||
|
{
|
||||||
|
$pic = new DDC1454Picture();
|
||||||
|
$this->_em->getUnitOfWork()->getEntityState($pic);
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @Entity
|
||||||
|
*/
|
||||||
|
class DDC1454Picture extends DDC1454File
|
||||||
|
{
|
||||||
|
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @Entity
|
||||||
|
* @InheritanceType("JOINED")
|
||||||
|
* @DiscriminatorColumn(name="discr", type="string")
|
||||||
|
* @DiscriminatorMap({"picture" = "DDC1454Picture"})
|
||||||
|
*/
|
||||||
|
class DDC1454File
|
||||||
|
{
|
||||||
|
/**
|
||||||
|
* @Column(name="file_id", type="integer")
|
||||||
|
* @Id
|
||||||
|
*/
|
||||||
|
public $fileId;
|
||||||
|
|
||||||
|
public function __construct() {
|
||||||
|
$this->fileId = rand();
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Get fileId
|
||||||
|
*/
|
||||||
|
public function getFileId() {
|
||||||
|
return $this->fileId;
|
||||||
|
}
|
||||||
|
|
||||||
|
}
|
|
@ -114,7 +114,7 @@ class BasicInheritanceMappingTest extends \Doctrine\Tests\OrmTestCase
|
||||||
*/
|
*/
|
||||||
public function testUnmappedEntityInHierachy()
|
public function testUnmappedEntityInHierachy()
|
||||||
{
|
{
|
||||||
$this->setExpectedException('Doctrine\ORM\Mapping\MappingException', "Entity 'Doctrine\Tests\ORM\Mapping\HierachyBEntity' has to be part of the descriminator map of 'Doctrine\Tests\ORM\Mapping\HierachyBase' to be properly mapped in the inheritance hierachy. Alternatively you can make 'Doctrine\Tests\ORM\Mapping\HierachyBEntity' an abstract class to avoid this exception from occuring.");
|
$this->setExpectedException('Doctrine\ORM\Mapping\MappingException', "Entity 'Doctrine\Tests\ORM\Mapping\HierachyBEntity' has to be part of the discriminator map of 'Doctrine\Tests\ORM\Mapping\HierachyBase' to be properly mapped in the inheritance hierachy. Alternatively you can make 'Doctrine\Tests\ORM\Mapping\HierachyBEntity' an abstract class to avoid this exception from occuring.");
|
||||||
|
|
||||||
$class = $this->_factory->getMetadataFor(__NAMESPACE__ . '\\HierachyE');
|
$class = $this->_factory->getMetadataFor(__NAMESPACE__ . '\\HierachyE');
|
||||||
}
|
}
|
||||||
|
|
|
@ -604,7 +604,24 @@ class SelectSqlGenerationTest extends \Doctrine\Tests\OrmTestCase
|
||||||
. ' WHERE EXISTS ('
|
. ' WHERE EXISTS ('
|
||||||
. 'SELECT c1_.id FROM cms_employees c1_ WHERE c1_.id = c0_.spouse_id'
|
. 'SELECT c1_.id FROM cms_employees c1_ WHERE c1_.id = c0_.spouse_id'
|
||||||
. ')'
|
. ')'
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
public function testExistsExpressionWithSimpleSelectReturningScalar()
|
||||||
|
{
|
||||||
|
$this->assertSqlGeneration(
|
||||||
|
// DQL
|
||||||
|
// The result of this query consists of all employees whose spouses are also employees.
|
||||||
|
'SELECT DISTINCT emp FROM Doctrine\Tests\Models\CMS\CmsEmployee emp
|
||||||
|
WHERE EXISTS (
|
||||||
|
SELECT 1
|
||||||
|
FROM Doctrine\Tests\Models\CMS\CmsEmployee spouseEmp
|
||||||
|
WHERE spouseEmp = emp.spouse)',
|
||||||
|
// SQL
|
||||||
|
'SELECT DISTINCT c0_.id AS id0, c0_.name AS name1 FROM cms_employees c0_'
|
||||||
|
. ' WHERE EXISTS ('
|
||||||
|
. 'SELECT 1 AS sclr2 FROM cms_employees c1_ WHERE c1_.id = c0_.spouse_id'
|
||||||
|
. ')'
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1274,6 +1291,16 @@ class SelectSqlGenerationTest extends \Doctrine\Tests\OrmTestCase
|
||||||
'SELECT c0_.name AS name0 FROM company_employees c1_ INNER JOIN company_persons c0_ ON c1_.id = c0_.id'
|
'SELECT c0_.name AS name0 FROM company_employees c1_ INNER JOIN company_persons c0_ ON c1_.id = c0_.id'
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
|
* @group DDC-1435
|
||||||
|
*/
|
||||||
|
public function testForeignKeyAsPrimaryKeySubselect()
|
||||||
|
{
|
||||||
|
$this->assertSqlGeneration(
|
||||||
|
"SELECT s FROM Doctrine\Tests\Models\DDC117\DDC117Article s WHERE EXISTS (SELECT r FROM Doctrine\Tests\Models\DDC117\DDC117Reference r WHERE r.source = s)",
|
||||||
|
"SELECT d0_.article_id AS article_id0, d0_.title AS title1 FROM DDC117Article d0_ WHERE EXISTS (SELECT d1_.source_id, d1_.target_id FROM DDC117Reference d1_ WHERE d1_.source_id = d0_.article_id)"
|
||||||
|
);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -70,10 +70,16 @@ class TestUtil
|
||||||
} else {
|
} else {
|
||||||
$sm = $realConn->getSchemaManager();
|
$sm = $realConn->getSchemaManager();
|
||||||
|
|
||||||
$tableNames = $sm->listTableNames();
|
/* @var $schema Schema */
|
||||||
|
$schema = $sm->createSchema();
|
||||||
foreach ($tableNames AS $tableName) {
|
$stmts = $schema->toDropSql($realConn->getDatabasePlatform());
|
||||||
$sm->dropTable($tableName);
|
|
||||||
|
foreach ($stmts AS $stmt) {
|
||||||
|
try {
|
||||||
|
$realConn->exec($stmt);
|
||||||
|
} catch(\Exception $e) {
|
||||||
|
// TODO: Now is this a real good idea?
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
Loading…
Add table
Reference in a new issue