SQL272. 牛客的课程订单分析(二)
描述
有很多同学在牛客购买课程来学习,购买会产生订单存到数据库里。
有一个订单信息表(order_info),简况如下:
id | user_id | product_name | status | client_id | date |
1 | 557336 | C++ | no_completed | 1 | 2025-10-10 |
2 | 230173543 | Python | completed | 2 | 2025-10-12 |
3 | 57 | JS | completed | 3 | 2025-10-23 |
4 | 57 | C++ | completed | 3 | 2025-10-23 |
5 | 557336 | Java | completed | 1 | 2025-10-23 |
6 | 57 | Java | completed | 1 | 2025-10-24 |
7 | 557336 | C++ | completed | 1 | 2025-10-25 |
第1行表示user_id为557336的用户在2025-10-10的时候使用了client_id为1的客户端下了C++课程的订单,但是状态为没有购买成功。
第2行表示user_id为230173543的用户在2025-10-12的时候使用了client_id为2的客户端下了Python课程的订单,状态为购买成功。
。。。
最后1行表示user_id为557336的用户在2025-10-25的时候使用了client_id为1的客户端下了C++课程的订单,状态为购买成功。
请你写出一个sql语句查询在2025-10-15以后,同一个用户下单2个以及2个以上状态为购买成功的C++课程或Java课程或Python课程的user_id,并且按照user_id升序排序,以上例子查询结果如下:
user_id |
57 |
557336 |
id为4,6的订单满足以上条件,输出对应的user_id为57;
id为5,7的订单满足以上条件,输出对应的user_id为557336;
按照user_id升序排序。
示例1
输入:
drop table if exists order_info; CREATE TABLE order_info ( id int(4) NOT NULL, user_id int(11) NOT NULL, product_name varchar(256) NOT NULL, status varchar(32) NOT NULL, client_id int(4) NOT NULL, date date NOT NULL, PRIMARY KEY (id)); INSERT INTO order_info VALUES (1,557336,'C++','no_completed',1,'2025-10-10'), (2,230173543,'Python','completed',2,'2025-10-12'), (3,57,'JS','completed',3,'2025-10-23'), (4,57,'C++','completed',3,'2025-10-23'), (5,557336,'Java','completed',1,'2025-10-23'), (6,57,'Java','completed',1,'2025-10-24'), (7,557336,'C++','completed',1,'2025-10-25');
输出:
57 557336
Sqlite 解法, 执行用时: 10ms, 内存消耗: 3500KB, 提交时间: 2021-12-03
select user_id from order_info where date>'2025-10-15' and product_name in('C++','Python','Java') and status='completed' group by user_id having count(user_id)>1 order by user_id
Sqlite 解法, 执行用时: 10ms, 内存消耗: 3504KB, 提交时间: 2021-08-09
select distinct user_id from (select user_id,count(*) cou from order_info oi where oi.product_name in('C++','Python','Java') and oi.status='completed'and date>'2025-10-15' group by user_id) where cou>=2 order by user_id asc
Sqlite 解法, 执行用时: 10ms, 内存消耗: 3584KB, 提交时间: 2021-09-09
select user_id from (select user_id,count(user_id) as tt from order_info where date>'2025-10-15' and status='completed' and product_name in("C++","Java","Python") group by user_id )as ttt where ttt.tt>=2
Sqlite 解法, 执行用时: 10ms, 内存消耗: 3588KB, 提交时间: 2021-09-01
SELECT user_id FROM (SELECT * FROM order_info WHERE status = "completed" AND product_name IN ("C++", "Java", "Python") AND date > "2025-10-15") orders GROUP BY user_id HAVING COUNT(user_id) >= 2 ORDER BY user_id ASC
Sqlite 解法, 执行用时: 11ms, 内存消耗: 3392KB, 提交时间: 2021-12-06
select user_id from order_info where date > '2025-10-15' and status = 'completed' and product_name in ('C++','Java','Python') group by user_id having count(*) >1 order by user_id;