MySQL-使用来自三个表的数据和列创建新表
我正在尝试创建一个新表,该表将包含三个现有表中的选定数据。
现有的三个表设置如下,我想要的结果在底部:
peopleid      last_name   first_name  email
1       Smith       Fred        Fred@..
2       Jones       Tom         Tom@..
3       Doe         Jane        Jane@..
taxonomy
id      taxonomy    
1       age
2       gender
3       height
details
id      person_id   detail_id   content
1       1           1           36
2       1           2           M
3       1           3           5'10"
4       2           1           29
5       2           2           M
6       2           3           6'3"
7       3           1           27
8       3           2           F
9       3           3           5'8"
New Table
id      last_name   first_name  email   age
1       Smith       Fred        Fred@.. 36
2       Jones       Tom         Tom@..  29
3       Doe         Jane        Jane@.. 27
在此先感谢您的帮助!
回答:
您需要进行三向联接:
CREATE TABLE new_table ASSELECT p.*, d.content AS age
FROM people AS p
JOIN details AS d ON d.person_id = p.id
JOIN taxonomy AS t ON t.id = d.detail_id
WHERE t.taxonomy = 'age'
演示
或者,如果您已经创建了表,则可以执行以下操作:
INSERT INTO new_table (id, last_name, first_name, email, age)SELECT p.id, p.last_name, p.first_name, p.email, d.content AS age
FROM people AS p
JOIN details AS d ON d.person_id = p.id
JOIN taxonomy AS t ON t.id = d.detail_id
WHERE t.taxonomy = 'age'
要获得多个属性,您必须分别为每个属性将详细信息和分类表联接在一起:
CREATE TABLE new_table ASSELECT p.*, d1.content AS age, d2.content AS gender, d3.content AS height
FROM people AS p
JOIN details AS d1 ON d1.person_id = p.id
JOIN taxonomy AS t1 ON t1.id = d1.detail_id
JOIN details AS d2 ON d2.person_id = p.id
JOIN taxonomy AS t2 ON t2.id = d2.detail_id
JOIN details AS d3 ON d3.person_id = p.id
JOIN taxonomy AS t3 ON t3.id = d3.detail_id
WHERE t1.taxonomy = 'age' AND t2.taxonomy = 'gender' AND t3.taxonomy = 'height'
以上是 MySQL-使用来自三个表的数据和列创建新表 的全部内容, 来源链接: utcz.com/qa/419137.html

