1.Oracle
select *from (select tmp_page.*, rownum row_id
from (SELECT U.USER_ID,
U.USER_ACCOUNT,
U.PSN_CODE,
U.USER_NAME,
FROM SVC_USER U
) tmp_page
where rownum<= 5)
where row_id > 0
除此写法之外还有bettwen and 等写法,但此写法是效率最高的,其他写法在数据量增大时效率下降很明显
2.MySql
是用limit函数
取前5条数据
select * from table_name limit 0,5
或者
select * from table_name limit 5
查询第11到第15条数据
select * from table_name limit 10,5
limit关键字的用法:
LIMIT [offset,] rows
offset指定要返回的第一行的偏移量,rows第二个指定返回行的最大数目。初始行的偏移量是0(不是1)。
此方法不适合百万级别数据查询,原因/缺点: 全表扫描,速度会很慢 且 有的数据库结果集返回不稳定(如某次返回1,2,3,另外的一次返回2,1,3). Limit限制的是从结果集的M位置处取出N条输出,其余抛弃.
3.Hive
一、借助唯一标识字段
如果分页的表有唯一标识的字段,可以通过这个字段来实现分页:
• 获取第一页数据:
注:同时需要记录这10条中最大的id为preId,作为下一页的条件。
select * from table order by id asc limit 10;
• 获取第二页数据:
注:同时保存数据中最大的id替换preId。
select * from table where id >preId order by id asc limit 10;
二、使用row number()函数
如果分页的表没有唯一标识的字段,可以通过row number()函数来实现分页。
• 首先使用row number()函数来给这个表做个递增的唯一标识:
create table newtable as select row number(1) as id ,* from table;
• 通过row number函数给表加了唯一标识之后,就可以利用第一个方法来进行分页。
select * from (select row_number() over (order by xx) as rnum ,table.* from table)t where rnum betwneen 1 to 10;