0

我有一组用户执行他们得分的任务。我正在尝试创建一个报告,显示每个用户最近 50 个任务的平均值。

用户表:userid、username、usertype
任务表:taskid、score、tasktype、userid

如果我做:

SELECT u.userid, u.username, (SELECT AVG(score)
                            FROM task t
                            WHERE t.userid = u.userid AND t.tasktype = 'task1'
                            ORDER BY t.taskid DESC LIMIT 50) AS avgscore
FROM user u
WHERE u.usertype = 'utype';

那是行不通的,因为它在计算所有内容的平均值后会限制 50。

我需要的是这个:

SELECT u.userid, u.username, AVG(SELECT t.score
                            FROM task t
                            WHERE t.userid = u.userid AND t.tasktype = 'task1'
                            ORDER BY t.taskid DESC LIMIT 50) AS avgscore
FROM user u
WHERE u.usertype = 'utype';

但这不是有效的语法

我已经尝试过子子查询,但也不能这样,因为当我在子子查询中引用 u.userid 时,我总是遇到限制、连接或未知字段的问题。

有没有办法做到这一点?

4

2 回答 2

0

在子查询中使用子查询:

SELECT u.userid, u.username,
       (SELECT AVG(score)
        FROM (select t.*
              from task t
              WHERE t.userid = u.userid AND t.tasktype = 'task1'
              ORDER BY t.taskid DESC
              LIMIT 50
             ) t
       ) AS avgscore
FROM user u
WHERE u.usertype = 'utype';

编辑:

我没有意识到 MySQL 不会识别u.userid. 它应该根据 ANSI 规则来确定表别名的范围。

您可以采取不同的方法,即找到第 50 个 taskid 值,然后取其之上的所有内容:

select ut.userid, ut.username, avg(t.score)
from (SELECT u.userid, u.username,
             (SELECT substring_index(substring_index(group_concat(taskid order by taskid desc
                                                                 ), ',', 50), ',', -1)
              from task t
              WHERE t.userid = u.userid AND t.tasktype = 'task1'
             ) + 0 as taskid50
      FROM user u
      WHERE u.usertype = 'utype'
     ) ut join
     task t
     on ut.userid = t.userid and
        ut.taskid50 >= t.taskid and t.tasktype = 'task1'
group by ut.userid, ut.username;
于 2013-08-19T20:56:54.973 回答
0

尝试这个

   SELECT u.userid, u.username, AVG(t.score ) AS avgscore
   FROM user u
   INNER JOIN task t 
   ON t.userid = u.userid
   WHERE u.usertype = 'utype' AND t.tasktype = 'task1'
   GROUP BY u.userid
   ORDER BY t.taskid DESC LIMIT 50;
于 2013-08-19T20:41:26.560 回答