当前位置: 移动技术网 > IT编程>数据库>MSSQL > SQL Server如何保证可空字段中非空值唯一

SQL Server如何保证可空字段中非空值唯一

2017年12月12日  | 移动技术网IT编程  | 我要评论

牛洪利,蔡佳明第二段vcr,易买得

表结构如下面代码创建

复制代码 代码如下:

create table test_tb
(
testid int not null identity(1,1) primary key,
caption nvarchar(100) null
);
go

解决方案1:
对于这个问题,大家的第一个想法可能是:在caption这个字段上面加一个唯一键不就可以了吗?好,我们按着这个思路做下去,先创建唯一索引。
复制代码 代码如下:

create unique nonclustered index un_test_tb
on test_tb(caption)
go

索引创建好了,我们来测试下效果
复制代码 代码如下:

insert into test_tb (caption)
values (null)
go
insert into test_tb (caption)
values (null)
go

运行之后我们会收到下面的错误信息:
以下为引用的内容:
消息 2601,级别 14,状态 1,第 1 行
不能在具有唯一索引 'un_test_tb' 的对象 'dbo.test_tb' 中插入重复键的行。
语句已终止。

所以该解决方案是不行的。
解决方案2:
添加约束,让sql server在插入数据的时候,先验证下已有数据中是否有现在要插入的这个值。由于这个约束不是简单的一个运算,因此我们先创建一个函数,然后再在约束中调用这个函数。
创建验证逻辑函数:
复制代码 代码如下:

create function [dbo].[fn_ck_test_tb_caption]()
returns bit
as
begin
if(exists(
select 1
from test_tb as a
where (caption is not null) and exists
(select 1 as expr1
from test_tb
where (caption is not null) and (caption = a.caption) and (a.testid <> testid))
))
return 0
return 1
end
go

在约束中引用函数:
复制代码 代码如下:

alter table test_tb
add constraint ck_test_tb_caption check (dbo.fn_ck_test_tb_caption() = 1)
go

现在来测试下效果。先来测试null值
复制代码 代码如下:

insert into test_tb (caption)
values (null)
go
insert into test_tb (caption)
values (null)
go
select * from test_tb
go

可以成功运行,而且也出了多行为null的情况。现在再来测试不为空的插入情况。
复制代码 代码如下:

insert into test_tb (caption)
values (n'aaa')
go
insert into test_tb (caption)
values (n'bbb')
go
insert into test_tb (caption)
values (n'bbb')
go
select * from test_tb
go

结果是在第三条语句的时候报错了,表中的caption字段也有‘aaa'和‘bbb'了,这也正好是我们要的结果。
所以解决方案2是正确的。但是为了这么一个小小功能,就写这么长一段东西是不是太繁琐了呢?我们来看下面的解决方案。
解决方案3:(只适用于sql server 2008)
sql server 2008中有了一个优雅的解决方案,那就是筛选索引。筛选索引是一种经过优化的非聚集索引,尤其适用于涵盖从定义完善的数据子集中选择数据的查询。筛选索引使用筛选谓词对表中的部分行进行索引。有了筛选索引,我们只需要写一条语句就达到上面的效果。
复制代码 代码如下:

create unique nonclustered index un_test_tb
on test_tb(caption)
where caption is not null
go

再用上面的一些测试语句来测试的话,会发现完全是达到了我们的要求。这个方案的唯一缺点就是该语句只有sql server 2008支持。不知道各位有没有又优雅又适用于各个版本的sql server的解决方案,望不胜赐教。

如对本文有疑问,请在下面进行留言讨论,广大热心网友会与你互动!! 点击进行留言回复

相关文章:

验证码:
移动技术网