我经常遇到数据库中的一种情况,其中给定的表可以FK到许多不同的父表之一。我已经看到了解决该问题的两种解决方案,但都不令人满意。我很好奇,您在那里看到过其他哪些模式?有更好的方法吗?
一个人为的例子
假设我的系统有Alerts
。可以接收各种对象的警报-客户,新闻和产品。给定的警报可以仅针对一项。无论出于何种原因,客户,商品和产品都在快速移动(或本地化),因此在创建警报时无法将必要的文本/数据提取到警报中。有了这种设置,我已经看到了两种解决方案。
注意:以下DDL用于SQL Server,但我的问题应适用于任何DBMS。
解决方案1-多个可空FKey
在此解决方案中,链接到多个表的表具有多个FK列(为简便起见,下面的DDL不显示FK创建)。 好的 -在这种解决方案中,很高兴我有外键。FK的零光学特性使添加精确数据变得非常方便且相对容易。BAD查询不是很好,因为它需要N个 LEFT JOINS或N个 UNION语句来获取关联的数据。在SQL Server中,特别是LEFT JOINS会阻止创建索引视图。
CREATE TABLE Product (
ProductID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
CONSTRAINT PK_Product Primary Key CLUSTERED (ProductID)
)
CREATE TABLE Customer (
CustomerID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
CONSTRAINT PK_Customer Primary Key CLUSTERED (CustomerID)
)
CREATE TABLE News (
NewsID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
CONSTRAINT PK_News Primary Key CLUSTERED (NewsID)
)
CREATE TABLE Alert (
AlertID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
ProductID int null,
NewsID int null,
CustomerID int null,
CONSTRAINT PK_Alert Primary Key CLUSTERED (AlertID)
)
ALTER TABLE Alert WITH CHECK ADD CONSTRAINT CK_OnlyOneFKAllowed
CHECK (
(ProductID is not null AND NewsID is null and CustomerID is null) OR
(ProductID is null AND NewsID is not null and CustomerID is null) OR
(ProductID is null AND NewsID is null and CustomerID is not null)
)
解决方案2-每个父表中都有一个FK
在此解决方案中,每个“父”表都具有一个Alert表的FK。它使检索与父级关联的警报变得容易。不利的一面是,从“警报”到“谁引用”之间没有真正的联系。此外,数据模型允许使用孤立的警报-警报与产品,新闻或客户没有关联。同样,使用多个LEFT JOIN找出关联。
CREATE TABLE Product (
ProductID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
AlertID int null,
CONSTRAINT PK_Product Primary Key CLUSTERED (ProductID)
)
CREATE TABLE Customer (
CustomerID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
AlertID int null,
CONSTRAINT PK_Customer Primary Key CLUSTERED (CustomerID)
)
CREATE TABLE News (
NewsID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
Name varchar(100) not null
AlertID int null,
CONSTRAINT PK_News Primary Key CLUSTERED (NewsID)
)
CREATE TABLE Alert (
AlertID int identity(1,1) not null,
CreateUTC datetime2(7) not null,
CONSTRAINT PK_Alert Primary Key CLUSTERED (AlertID)
)
这只是关系数据库中的生活吗?您是否找到其他更令人满意的替代解决方案?
Alertable
。那有道理吗?