2

我正在编写一个查询来获取特定 user_id 是第一个使用的项目。这是一些示例数据 -

item_id used_user_id    date_used
1       1               2012-08-25
1       2               2012-08-26               
1       3               2012-08-27
2       2               2012-08-27
3       1               2012-08-27
4       1               2012-08-21
4       3               2012-08-24
5       3               2012-08-23

询问

select item_id as inner_item_id, ( select used_user_id 
                                   from test 
                                   where test.item_id = inner_item_id 
                                   order by date_used asc 
                                   limit 1 ) as first_to_use_it 
from test 
where used_user_id = 1 
group by item_id

它返回正确的值

inner_item_id   first_to_use_it
1               1
3               1
4               1

但是在一张巨大的桌子上查询非常慢。是否有我可以使用的某个索引或我可以编写的更好的查询?

4

1 回答 1

2

我无法准确理解您的意思,因为在您的内部查询中,您已经按他们的排序,used_user_id并且在您的外部查询中,您还按他们的用户 ID 对其进行了过滤。为什么不直接这样做呢?

SELECT DISTINCT item_id AS inner_item_id,
       used_user_id AS first_to_use_it 
FROM   test
WHERE  used_user_id = 1 

更新 1

SELECT  b.item_id, 
        b.used_user_id AS first_to_use_it
FROM
    (
        SELECT item_ID, MIN(date_used) minDate
        FROM tableName
        GROUP BY item_ID
    ) a
        INNER JOIN tableName b
            ON a.item_ID = b.item_ID AND
                a.minDate = b.date_used
WHERE   b.used_user_id = 1
于 2012-08-27T12:50:25.247 回答