我想使用PHP处理来自mysql的数据以HTML形式显示。
我有三个数据库表:student,course,student_x_course

学生:

| idStudent | firstname | surname |
-----------------------------------
| 1         | John      | Regular |
| 2         | John      | Smith   |
| 3         | Claire    | White   |


课程:

| idCourse  | coursename |
--------------------------
| 1         | Art        |
| 2         | Music      |
| 3         | Math       |
| 3         | Biology    |


student_x_course:

| idsc | idStudent | idCourse |
-------------------------------
| 1    | 1         | 1        |
| 2    | 1         | 2        |
| 3    | 1         | 3        |
| 4    | 2         | 1        |
| 5    | 2         | 2        |
| 6    | 2         | 4        |
| 7    | 3         | 1        |
| 8    | 3         | 2        |
| 9    | 3         | 3        |
| 10   | 3         | 4        |


我想创建一个如下所示的html表:

              | Art  | Music | Math  | Biology |
------------------------------------------------
John Regular  | x    | x     | x     | -       |
John Smith    | x    | x     | -     | x       |
Claire White  | x    | x     | x     | x       |


我的SQL查询是:
从学生AS的INNER JOIN中选择s.firstname,s.surname,c.coursename。

这给我以下内容:

 | John   | Regular | Art     |
 | John   | Regular | Music   |
 | John   | Regular | Math    |
 | John   | Smith   | Art     |
 | John   | Regular | Music   |
 | John   | Smith   | Biology |
 | Claire | White   | Art     |
 | Claire | White   | Music   |
 | Claire | White   | Math    |
 | Claire | White   | Biology |


我的问题是:如何从多行到多行?
是否有更好的sql查询,还是必须用PHP代码处理?
有什么建议么?

最佳答案

您正在尝试调整结果。在mysql中,可以使用conditional aggregation进行此操作:

SELECT s.idStudent, s.firstname, s.surname,
   max(case when c.coursename = 'Art' then 'x' end) Art,
   max(case when c.coursename = 'Music' then 'x' end) Music,
   max(case when c.coursename = 'Math' then 'x' end) Math,
   max(case when c.coursename = 'Biologoy' then 'x' end) Biologoy
FROM student AS s
   INNER JOIN student_x_course AS sxc ON (s.idStudent = sxc.idStudent)
   INNER JOIN course ON (c.idCourse = sxc.idCourse)
GROUP BY s.idStudent

10-01 15:41
查看更多