之前我主要使用MyISAM表,它不支持外键。看看堆栈溢出,我没有找到一个很好的,简洁的解释外键实际上在做什么。我最感兴趣的是连接表,你会有这样的模式:
customers
id category_id
products
id category_id
categories
id
customerproducts
customer_id product_id
如果我在客户产品上有外键,它将确保只有有效的客户和只有有效的产品进入该表,但如果我尝试将手机类别中的产品添加到仅指定为对其有兴趣的客户复印机?这会导致外键约束被违反吗?
答案 0 :(得分:1)
我最感兴趣的是连接表,你会有这样的架构:
你不会有这样的架构 - 它并不代表你感兴趣的事实。让我们在SQL中勾画出一些表格。 (在PostgreSQL中测试)首先,客户和产品。
-- Customer names aren't unique.
create table customers (
cust_id integer primary key,
cust_name varchar(15) not null
);
insert into customers values (1, 'Foo'), (2, 'Bar');
-- Product names are unique.
create table products (
prod_id integer primary key,
prod_name varchar(15) not null unique
);
insert into products values
(150, 'Product 1'), (151, 'Product 2'), (152, 'Product 3');
产品有不同的类别。
create table categories (
cat_name varchar(15) primary key
);
insert into categories values ('Cable'), ('Networking'), ('Phones');
每种产品可能会出现在几个类别中。
create table product_categories (
prod_id integer not null references products,
cat_name varchar(15) not null references categories,
primary key (prod_id, cat_name)
);
insert into product_categories values
(150, 'Cable'), (150, 'Networking'), (151, 'Networking'), (152, 'Phones');
客户可能对几类产品感兴趣。
create table customer_category_interests (
cust_id integer not null references customers,
cat_name varchar(15) not null references categories,
primary key (cust_id, cat_name)
);
-- Nobody's interested in phones
insert into customer_category_interests values
(1, 'Cable'), (1, 'Networking'), (2, 'Networking');
如果我在客户产品上有外键,它将仅确保 有效的客户和只有有效的产品进入该表,但是什么 关于我是否尝试将电话类别的产品添加到客户 是否只对复印机感兴趣?
客户对所有产品的首选类别并不感兴趣。请注意重叠的外键约束。
create table product_interests (
cust_id integer not null,
prod_id integer not null,
cat_name varchar(15) not null,
foreign key (cust_id, cat_name) references customer_category_interests,
foreign key (prod_id, cat_name) references product_categories,
primary key (cust_id, prod_id, cat_name)
);
insert into product_interests values
(1, 150, 'Cable'), (2, 150, 'Networking');
下一次插入将失败,因为客户1对手机不感兴趣。
insert into product_interests values
(1, 152, 'Phones');
ERROR: insert or update on table "product_interests" violates foreign key constraint "product_interests_cust_id_fkey" DETAIL: Key (cust_id, cat_name)=(1, Phones) is not present in table "customer_category_interests".