是否可以使用值 0 而不是 null 用于与 Doctrine 2 的关系(多对一、一对一)?
现在我有很多 NOT NULL 列,我可能不会更改为空值。将 MySQL 中的默认值更改为 0 它本身不是解决方案,因为原则总是设置用于插入/更新行的列。
是否可以使用值 0 而不是 null 用于与 Doctrine 2 的关系(多对一、一对一)?
现在我有很多 NOT NULL 列,我可能不会更改为空值。将 MySQL 中的默认值更改为 0 它本身不是解决方案,因为原则总是设置用于插入/更新行的列。
不,这是不可能的。
NULL
在 SQL 中具有非常特定的含义。它代表“没有价值”,您可以验证您的逻辑即使在 SQL 级别也不起作用:
CREATE TABLE foo (
`id` INT(11) PRIMARY KEY AUTO_INCREMENT,
`bar_id` INT(11)
);
CREATE TABLE `bar` (`id` INT(11) PRIMARY KEY AUTO_INCREMENT);
ALTER TABLE foo ADD FOREIGN KEY `bar_id_fk` (`bar_id`) REFERENCES `bar` (`id`);
INSERT INTO `bar` VALUES (NULL);
INSERT INTO `bar` VALUES (NULL);
INSERT INTO `bar` VALUES (NULL);
INSERT INTO `foo` VALUES (NULL, 1);
INSERT INTO `foo` VALUES (NULL, 2);
INSERT INTO `foo` VALUES (NULL, 3);
INSERT INTO `foo` VALUES (NULL, 0);
/*
ERROR 1452 (23000):
Cannot add or update a child row: a foreign key constraint fails
(`t2`.`foo`, CONSTRAINT `foo_ibfk_1` FOREIGN KEY (`bar_id`)
REFERENCES `bar` (`id`))
*/
INSERT INTO `foo` VALUES (NULL, 4);
/*
ERROR 1452 (23000):
Cannot add or update a child row: a foreign key constraint fails
(`t2`.`foo`, CONSTRAINT `foo_ibfk_1` FOREIGN KEY (`bar_id`)
REFERENCES `bar` (`id`))
*/
INSERT INTO `foo` VALUES (NULL, NULL); /* VALID! */
所以不,你不能让 Doctrine ORM 的行为0
被解释为NULL
,因为 RDBMS 本身不允许这样做。
您可以做的是在您的数据库中插入“假”引用的条目,然后在作为实体水合时充当空对象:
INSERT INTO `bar` VALUES (NULL);
UPDATE `bar` SET `id` = 0 WHERE `id` = 4;
INSERT INTO `foo` VALUES (NULL, 0); /* now works! */
在实体方面,它看起来非常相似。
(请注意,public
属性仅受 Doctrine ORM 2.4 支持,尚未发布。不过,它们使这里的内容更容易阅读)
Foo.php:
use Doctrine\ORM\Mapping as ORM;
/**
* @ORM\Entity()
* @ORM\Table(name="foo")
*/
class Foo
{
/**
* @ORM\Column(type="integer")
* @ORM\Id()
* @ORM\GeneratedValue(strategy="AUTO")
*/
public $id;
/**
* @ORM\ManyToOne(targetEntity="Bar")
* @ORM\JoinColumn(name="bar_id", referencedColumnName="id", nullable=false)
*/
public $bar;
}
酒吧.php:
use Doctrine\ORM\Mapping as ORM;
/**
* @ORM\Entity()
* @ORM\Table(name="bar")
*/
class Bar
{
/**
* @ORM\Column(type="integer")
* @ORM\Id()
* @ORM\GeneratedValue(strategy="AUTO")
*/
public $id;
}
然后是生成新Foo
实例的代码:
$nullBar = $entityManager->find('Bar', 0);
$foo = new Foo();
$foo->bar = $nullBar;
$em->persist($foo);
$em->flush();