MySQL 更新 GROUP_CONCAT 连接三个表

MySQL UPDATE with GROUP_CONCAT joining three tables

目标:使用来自 T3 的 GROUP_CONCAT 信息更新 T1,并跨 T2 加入。

这是 table 结构的简化版本:

T1: xfer_lectures
相关字段:lecture_idtopics
(我正在尝试使用为该讲座指定的一系列主题的串联列表来填充主题字段。)

T2:calendar_lecture_topics
相关字段:event_idtopic_id
(T1.lecture_id = T2.event_id)

T3:lecture_topics
相关字段:idtitle
(T2.topic_id = T3.event_id)

我可以通过以下查询成功 SELECT 我想要的信息:

SELECT 
    T1.`lecture_id`, GROUP_CONCAT(DISTINCT `title` SEPARATOR '; '), COUNT(*)
FROM
    `xfer_lectures` T1
    INNER JOIN
        `calendar_lecture_topics` T2
    INNER JOIN
        `lecture_topics` T3 
    ON T1.`lecture_id` = T2.`event_id`
    AND T2.`topic_id` = T3.`id`
    GROUP BY T1.`lecture_id`

但是,当我尝试使用串联信息更新 T1 时,我失败了。我已经尝试了很多版本的更新查询,其中大部分都会产生错误。该查询作为有效查询运行,但使用主题 table:

中所有主题的相同列表填充每个主题字段
 UPDATE 
    `xfer_lectures` T1
 JOIN `calendar_lecture_topics` T2
    ON T1.`lecture_id`=T2.`event_id`
 JOIN `lecture_topics` T3
    ON T2.`topic_id` = T3.`id`
 SET T1.`topics` = (
    SELECT 
    GROUP_CONCAT(`title` SEPARATOR '; ')
    FROM `lecture_topics`
    )

我还尝试了 SELECT 语句包含 GROUP_BY 子句的版本,但我仍然为每条记录得到相同的主题列表,而不是每条记录的两个或三个相关主题演讲。例如:

SET T1.`topics` = (       
SELECT        
GROUP_CONCAT(`title` SEPARATOR '; ')       
FROM `lecture_topics`
WHERE T2.`topic_id` = T3.`id` 
AND T1.`lecture_id`=T2.`event_id`
GROUP BY T2.`event_id`)

我哪里错了?我对复杂的查询不是很有经验,所以我对 JOIN 和分组的理解可能有缺陷。非常感谢任何帮助!

  • SELECT GROUP_CONCAT(title SEPARATOR '; ') FROM lecture_topics) 基本上会 return ALL 字符串中的 lecture_topics table 中的标题。这就是为什么您的 SET 查询使用相同的字符串(包含所有标题)更新所有讲座
  • 你基本上需要在这里使用一个Derived Table。在此派生的 table 中,您将根据 event_id (lecture_id) 的分组获得标题。
  • 现在,将此 table 与 xfer_lectures 连接到 event_id = lecture_id,并使用派生的 table 的 Group_concat() 结果更新 xfer_lectures table.
  • 中的值

试试这个:

 UPDATE 
    `xfer_lectures` AS T1
 JOIN ( SELECT 
          T2.`event_id`, 
          GROUP_CONCAT(T3.`title` SEPARATOR '; ') as `topics`
        FROM `calendar_lecture_topics` AS T2 
        JOIN `lecture_topics` AS T3 
          ON T2.`topic_id` = T3.`id` 
        GROUP BY T2.`event_id`
       ) AS T4 ON T4.`event_id` = T1.`lecture_id` 
 SET T1.`topics` = T4.`topics`