我正在开发使用symfony 1.4(和Doctrine)并且有一个MySQL数据库表,在多列上有唯一索引。首先,到目前为止表的YAML定义:
Campaign:
actAs:
Sluggable:
fields: [name]
canUpdate: true
uniqueBy: [merchant_id, deleted_at]
Timestampable: ~
SoftDelete: ~
columns:
merchant_id: { type: integer, notnull: true }
name: { type: string(255), notnull: true, notblank: true }
start_date: { type: date, notnull: true, notblank: true }
end_date: { type: date, notnull: true, notblank: true }
indexes:
unique_name: { fields: [name, merchant_id, deleted_at], type: unique }
relations:
Merchant: { local: merchant_id, foreign: id }
如您所见,我必须处理属于商家的广告系列。广告系列知道其商家并且具有名称(以及开始日期和结束日期)。广告系列的名称应该是唯一的 - 不是全球性的,而是针对该特定商家的名称。到目前为止,我需要一个关于广告系列名称和相应商家的唯一索引。但是,由于表格“充当SoftDelete”,并且用户应该能够创建一个名为“软删除”广告系列已存在的新广告系列,deleted_at
列也必须属于独特的指数。您可以看到,广告系列名称的唯一性仅涉及相应商家的已删除广告系列。
现在进入实际问题:由于列deleted_at
对于所有未删除的广告系列为NULL,并且唯一索引中的NULL值始终被视为唯一,因此允许所有广告系列有真正意义上的非唯一名称。我知道,这适用于MyISAM和InnoDB表,但不适用于BDB表。但是,如果您知道我的意思,切换到BDB不是我最喜欢的选择。
现在进入实际问题:除了将MySQL引擎更改为BDB之外,还有哪些其他可能的选项?解决方法可能是重命名软删除的广告系列,例如name = 'DELETED AT ' + deleted_at + ': ' + name
。一方面,这样做的好处是,即使在恢复它们的情况下,所有软删除的广告系列也应该具有唯一的名称(将deleted_at
重置为NULL)。 deleted_at
列不再是唯一索引的一部分,因此,所有广告系列(未删除,软删除以及恢复一次)都会有一个唯一的名称 - 涉及相应的商家。但是,另一方面,我认为这不是最优雅的解决方案。您对此有何看法和专长?
我非常感谢你,并为你的贡献感到高兴 Flinsch。
答案 0 :(得分:1)
我认为你可以保留你的基本结构,你只需要一种方法来使deleted_at NOT NULL。这意味着你需要给它一个默认值。一个好的默认使用是0,或者00:00:00。
我的建议是添加一个新列来标记行是否被逻辑删除。你可以称之为“IS_DELETED”。然后为deleted_at添加默认值并使其为非null,并在唯一索引中包含is_deleted。
以下是这种方法的一个非常简单的例子:
mysql> create table merchant(
-> id int unsigned not null auto_increment,
-> name varchar(50) not null,
-> is_deleted tinyint not null default 0,
-> deleted_at datetime not null default 0,
-> primary key (id),
-> unique key name_and_deleted_at (name,is_deleted,deleted_at)
-> ) ENGINE = InnoDB;
Query OK, 0 rows affected (0.08 sec)
mysql>
mysql> -- successful inserts
mysql> insert into merchant (name,is_deleted) values ('foo',0);
Query OK, 1 row affected (0.00 sec)
mysql> insert into merchant (name,is_deleted) values ('bar',0);
Query OK, 1 row affected (0.00 sec)
mysql>
mysql> -- insert failure due to duplicate name
mysql> insert into merchant (name,is_deleted) values ('foo',0);
ERROR 1062 (23000): Duplicate entry 'foo-0-0000-00-00 00:00:00' for key 'name_and_deleted_at'
mysql> -- logical delete
mysql> update merchant set is_deleted = true, deleted_at = now() where name = 'foo';
Query OK, 1 row affected (0.00 sec)
Rows matched: 1 Changed: 1 Warnings: 0
mysql> -- now the insert succeeds
mysql> insert into merchant (name,is_deleted) values ('foo',0);
Query OK, 1 row affected (0.01 sec)
mysql>
mysql> -- show data
mysql> select id,name,is_deleted,deleted_at
-> from merchant
-> order by id;
+----+------+------------+---------------------+
| id | name | is_deleted | deleted_at |
+----+------+------------+---------------------+
| 1 | foo | 1 | 2010-11-05 13:54:17 |
| 2 | bar | 0 | 0000-00-00 00:00:00 |
| 4 | foo | 0 | 0000-00-00 00:00:00 |
+----+------+------------+---------------------+
3 rows in set (0.00 sec)