mysql中出勤率计算中的语法错误

时间:2018-12-06 04:18:48

标签: mysql

SELECT name, DISTINCT studentid, count(attendance) 
 from attendance a,students s 
 where attendance = 'p'and s.studentid=a.studentid  
having count(attendance)<3/4*sum(attendance);

我有2个表的出勤率,并且我要从中选择学生的姓名(从学生表)和出勤率(从出勤表),其中studentid是出勤率<75%的那些学生的外键。我将出席人数分别保存为p和a,分别表示现在和缺席。

1 个答案:

答案 0 :(得分:1)

您可以尝试这样的事情:

数据准备

create table attendance (studentid int, attendance char(1));

insert into attendance values (1,'p'),(1,'a'),(2,'p'),(2,'p'),(2,'a'),(3,'p');

数据

select * from students;
+-----------+------+
| studentid | name |
+-----------+------+
|         1 | John |
|         2 | Matt |
|         3 | Mary |
+-----------+------+

select * from attendance;
+-----------+------------+
| studentid | attendance |
+-----------+------------+
|         1 | p          |
|         1 | a          |
|         2 | p          |
|         2 | p          |
|         2 | a          |
|         3 | p          |
+-----------+------------+

查询

select s.*, a.total, a.p_present
from students s
inner join (
    select studentid, count(*) as total, sum(case attendance when 'p' then 1 else 0 end) * 100/count(*) as p_present
    from attendance
    group by studentid
) a on s.studentid = a.studentid
where a.p_present < 75 ;

结果

+-----------+------+-------+-----------+
| studentid | name | total | p_present |
+-----------+------+-------+-----------+
|         1 | John |     2 |   50.0000 |
|         2 | Matt |     3 |   66.6667 |
+-----------+------+-------+-----------+

p_present是存在百分比。请注意,约翰和马特的出勤率分别为50%和66.6%。

说明

为了获得总记录,我们将执行以下操作:

select studentid, count(*)
from attendance
group by studentid;

为了获得每个学生出席的总时间,我们要做:

select studentid, sum(case attendance when 'p' then 1 else 0 end)
from attendance
group by studentid;

在场人数百分比将是学生在场次数除以总数的次数。因此,这就是我在子查询中所做的。

一旦获得了有关学生的数据,就将该结果与学生的信息结合起来,并从两个表中提取所需的信息。