标签:char 相同 order by 排序 指定 ima 窗函数 class 产品
这是一道常见的面试题,在实际项目中经常会用到。
需求:求出以产品类别为分组,各个分组里价格最高的产品信息。
declare @t table( ProductID int, ProductName varchar(20), ProductType varchar(20), Price int) insert @t select 1,‘name1‘,‘P1‘,3 union all select 2,‘name2‘,‘P1‘,5 union all select 3,‘name3‘,‘P2‘,4 union all select 4,‘name4‘,‘P2‘,4
实现过程如下:
找到每个组里,价格最大的值;然后再找出每个组里价格等于这个值的
--缺点:要进行一次join
select t1.* from @t t1 join (select ProductType, max(Price) Price from @t group by ProductType) t2 on t1.ProductType = t2.ProductType where t1.Price = t2.Price order by ProductType
利用over(),将统计信息计算出来,然后直接筛选结果集。
--over() 可以让函数(包括聚合函数)与行一起输出。
;with cte as
(select *, max(Price) over(partition by (ProductType)) MaxPrice from @t
)
select ProductID,ProductName,ProductType,Price from cte where Price = MaxPrice order by ProductType
--over() 的语法为:over([patition by ] <order by >)。
--需要注意的是,over() 前面是一个函数,如果是聚合函数,那么order by 不能一起使用。
--over() 的另一常用情景是与 row_number() 一起用于分页。
窗口函数OVER()指定一组行,开窗函数计算从窗口函数输出的结果集中各行的值。
开窗函数不需要使用GROUP BY就可以对数据进行分组,还可以同时返回基础行的列和聚合列。
ROW_NUMBER、DENSE_RANK、RANK、NTILE属于排名函数。
排名开窗函数可以单独使用ORDER BY 语句,也可以和PARTITION BY同时使用。
PARTITION BY用于将结果集进行分组,开窗函数应用于每一组。
ODER BY 指定排名开窗函数的顺序。在排名开窗函数中必须使用ORDER BY语句。
例如查询每个雇员的定单,并按时间排序。
窗口函数根据PARTITION BY语句按雇员ID对数据行分组,然后按照ORDER BY 语句排序,排名函数ROW_NUMBER()为每一组的数据分从1开始生成一个序号。
;WITH OrderInfo AS ( SELECT ROW_NUMBER() OVER(PARTITION BY EmployeeID ORDER BY OrderDate) AS Number, OrderID,CustomerID, EmployeeID,OrderDate FROM Orders (NOLOCK) ) SELECT Number,OrderID,CustomerID, EmployeeID ,OrderDate From OrderInfo WHERE Number BETWEEN 0 AND 10
很多聚合函数都可以用作窗口函数的运算,如SUM,AVG,MAX,MIN。
聚合开窗函数只能使用PARTITION BY子句或都不带任何语句,ORDER BY不能与聚合开窗函数一同使用。
例如,查询雇员的定单总数及定单信息
WITH OrderInfo AS ( SELECT COUNT(OrderID) OVER(PARTITION BY EmployeeID) AS TotalCount,OrderID,CustomerID, EmployeeID,OrderDate FROM Orders (NOLOCK) ) SELECT OrderID,CustomerID, EmployeeID ,OrderDate,TotalCount From OrderInfo ORDER BY EmployeeID
WITH OrderInfo AS ( SELECT COUNT(OrderID) OVER() AS Count,OrderID,CustomerID, EmployeeID,OrderDate FROM Orders (NOLOCK) )
标签:char 相同 order by 排序 指定 ima 窗函数 class 产品
原文地址:https://www.cnblogs.com/springsnow/p/9591083.html