我正在编写一个非常简单的博客引擎供自己使用(因为我遇到的每个博客引擎都太复杂了)。我希望能够通过其 URL 来唯一标识每个帖子,例如/2009/03/05/my-blog-post-slug
. 为了在数据层中完成它,我想创建一个复合唯一约束,以限制组合日期的日期部分(忽略一天中的时间)在(Date, Slug)
哪里。Date
我自己有一些想法(比如另一列,可能是计算出来的,只包含日期部分),但我来到 SO 是为了知道解决这个问题的最佳实践是什么。
我怀疑 SQL Server 版本在这里很重要,但为了记录,我使用的是 2008 Express(我欣赏更便携的解决方案)。
表架构:
create table Entries (
Identifier int not null identity,
CompositionDate datetime not null default getdate(),
Slug varchar(128) not null default '',
Title nvarchar(max) not null default '',
ShortBody nvarchar(max) not null default '',
Body nvarchar(max) not null default '',
FeedbackState tinyint not null default 0,
constraint pk_Entries primary key(Identifier),
constraint uk_Entries unique (Date, Slug) -- the subject of the question
)
选择的解决方案:
考虑到这个问题大约是 2008 年,我认为 marc 的解决方案更合适。但是,我将使用整数方法(但不使用INSERT
s,因为它不能确保数据的完整性;我将使用预先计算的整数列)因为我认为使用来自客户端的整数事物(在查询中)更容易。
谢谢你们。
create table Entries (
Identifier int not null identity,
CompositionDate smalldatetime not null default getdate(),
CompositionDateStamp as cast(year(CompositionDate) * 10000 + month(CompositionDate) * 100 + day(CompositionDate) as int) persisted,
Slug varchar(128) not null default '',
Title nvarchar(max) not null default '',
ShortBody nvarchar(max) not null default '',
Body nvarchar(max) not null default '',
FeedbackState tinyint not null default 0,
constraint pk_Entries primary key(Identifier),
constraint uk_Entries unique (CompositionDateStamp, Slug)
)
go