mysql中部分索引或过滤索引的解决方法?

时间:2011-10-18 08:43:48

标签: mysql indexing partial

我正在使用mysql db。我知道postgresql和SQL server支持部分索引。在我的情况下,我想做这样的事情:

CREATE UNIQUE INDEX myIndex ON myTable (myColumn) where myColumn <> 'myText'

我想创建一个唯一约束,但如果它是特定文本,它应该允许重复。

我找不到直接在mysql中执行此操作的方法。但是,是否有解决方法来实现它?

2 个答案:

答案 0 :(得分:6)

我想只有一种方法可以实现它。您可以向表中添加另一列,在其上创建索引并创建触发器或在存储过程中插入/更新以使用以下条件填充此列:

if value = 'myText' then put null
otherwise put value

希望有所帮助

答案 1 :(得分:0)

可以使用函数索引和CASE表达式(MySQL 8.0.13及更高版本)轻松模拟过滤后的索引:

CREATE TABLE t(id INT PRIMARY KEY, myColumn VARCHAR(100));

-- NULL are not taken into account with `UNIQUE` indexes   
CREATE UNIQUE INDEX myIndex ON t((CASE WHEN myColumn <> 'myText' THEN myColumn END));


-- inserting excluded value twice
INSERT INTO t(id, myColumn) VALUES(1, 'myText'), (2, 'myText');

-- trying to insert different value than excluded twice
INSERT INTO t(id, myColumn) VALUES(3, 'aaaaa');

INSERT INTO t(id, myColumn) VALUES(4, 'aaaaa');
-- Duplicate entry 'aaaaa' for key 'myIndex'

SELECT * FROM t;

db<>fiddle demo

输出:

+-----+----------+
| id  | myColumn |
+-----+----------+
|  1  | myText   |
|  2  | myText   |
|  3  | aaaaa    |
+-----+----------+