我必须创建一个真实的待售状态数据库。问题是那种属性:如果我有房子,我有一种描述,但如果它只是一块土地,描述不需要包括浴室数量,只包括面积,前方范围等。
所以我做了一个关于元素(imoveis)的通用数据的表,地址,价格等。比我创建的元素类别(imoveis_categs)。我做了5个类别,每个类别都有一个表格(例如:imoveis_descr2),具有该类别的特定功能。
要输入数据很容易,但要列出我的数据,我需要执行查询选择以根据某些过滤器查找这些元素。在PHP中很容易解决,但我想知道大量数据和用户请求的性能。思考,更好地通过SQL命令解决它。但mySQL不是我的领域,我想像这样开始......
SELECT * FROM imoveis INNER JOIN imoveis_descr(imoveis.categ) ...
imoveis的“categ”字段指向正确的描述表。可以这样做吗?还有另一种更合适或更有效的方法吗?
编辑:我试图用一个例子澄清...... EDIT2:我更正了这个例子,列“房间”将是相同的。这些字段不是独家的,公寓和房屋类别都有多个房间。Table imoveis
id categ title price address ...
1 2 The House $ 1000000 Somestreet 77
2 1 An Appartment $ 500000 Somewhere 11
3 4 A Land $ 250000 Nowhere 33
Table imoveis_descr1
idImovel rooms area floor ...
2 2 70 5
Table imoveis_descr2
idImovel rooms fieldArea constrArea ...
1 3 120 80
Table imoveis_descr4
idImovel area width height ...
3 2640 22 120
Result
id categ title price address rooms fieldArea constrArea area floor area width height
1 2 The House $ 1000000 Somestreet 77 3 120 80 null null null null null
2 1 An Appartment $ 500000 Somewhere 11 2 null null 70 5 null null null
3 4 A Land $ 250000 Nowhere 33 null null null null null 2640 22 120
答案 0 :(得分:1)
您的某些字段名称会在结果中重复显示(例如" rooms"),将这些字段与COALESCE合并(因为它们看起来是互斥的)会不会更好?
由于您引用的表格是互斥的,因此INNER JOIN
永远无法获得所需的结果,您需要OUTER JOIN
:
SELECT
i.id,
i.categ,
i.title,
i.price,
i.address,
COALESCE(i1.rooms, i2.rooms) AS rooms,
i2.fieldArea,
i2.constrArea
COALESCE(i1.area, i3.area, ...) AS area,
...
FROM imoveis AS i
LEFT OUTER JOIN imoveis_descr1 AS i1 ON i1.idImovel = i.id
LEFT OUTER JOIN imoveis_descr2 AS i2 ON i2.idImovel = i.id
LEFT OUTER JOIN imoveis_descr3 AS i3 ON i3.idImovel = i.id
...