0

我正在考虑使用一个image表来存储任何其他独立表的图像,例如userproduct等等...(当然,独立表的任何单个实例(例如John Smithas auserlaptopas a product)可能有 0、1 或多个images .

image表有id和。titlefilename

而且我正在考虑一个imagetable表格,将images 与它们的正确image owners 相关联,例如user这些字段image_idtable_idtable.

一些条目可能如下所示:

image_id | table_id | table
-----------------------------
1        | 1        | user
2        | 1        | user

3        | 2        | user
4        | 2        | user

5        | 1        | product
6        | 1        | product
7        | 1        | product

8        | 2        | product

9        | 3        | product
10       | 3        | product

11       | 4        | product

现在的问题是:

是否建议使用此数据库设计?处理此请求的最佳方法是什么?

当然,另一种方法是使用user_image,product_imagecompany_image表而不是单个image_table表。

4

1 回答 1

1

不,因为那样你就失去了外键的优势。

使用联结表:

create table product (
  product_id bigserial primary key,
  name citext not null unique
);

create table user (
  user_id bigserial primary key,
  name citext not null unique
);

-- personally, I would store the file in the db and use incremental backups
-- pedantically, I prefer "picture" over "image" as "image" has 2 meanings in computers
create table picture (
  picture_id bigserial primary key,
  filename citext not null,
  ...
);

create table product_picture (
  product_id bigint references product(product_id),
  picture_id bigint references picture(picture_id),
  primary key (product_id, picture_id)
);

create table user_picture (
  user_id bigint references user(user_id),
  picture_id bigint references picture(picture_id),
  primary key (user_id, picture_id)
);
于 2013-07-26T19:39:16.307 回答