排名MySQL结果的子集

时间:2014-01-15 22:49:07

标签: mysql

我在MySQL数据库中有数十万种产品。每个产品都映射到一个子类别,每个子类别映射到一个类别,每个类别映射到一个部门。

我需要分别计算其子类别/类别/部门中给定产品的销售排名,并且还获取直接位于其上方的两个产品以及直接位于其下方的两个产品。这是一个SQL小提琴,用于获取子类别中所有产品的等级:

http://sqlfiddle.com/#!2/d4aad/6

如何重构查询以仅返回具有给定product_id以及上下两行的产品?例如,对于product_id 8,我只想返回这些行:

╔══════╦════════════════╦═════════════╦════════════╗
║ RANK ║  DESCRIPTION   ║ TOTAL_SALES ║ PRODUCT_ID ║
╠══════╬════════════════╬═════════════╬════════════╣
║    2 ║ Digital SLR 2  ║        8000 ║          2 ║
║    3 ║ Digital SLR 7  ║        5998 ║          7 ║
║    4 ║ Digital SLR 8  ║        5997 ║          8 ║
║    5 ║ Digital SLR 1  ║        3297 ║          1 ║
║    6 ║ Digital SLR 4  ║        3200 ║          4 ║
╚══════╩════════════════╩═════════════╩════════════╝

对于product_id 3,返回的数据如下:

╔══════╦════════════════╦═════════════╦════════════╗
║ RANK ║  DESCRIPTION   ║ TOTAL_SALES ║ PRODUCT_ID ║
╠══════╬════════════════╬═════════════╬════════════╣
║    6 ║ Digital SLR 4  ║        3200 ║          4 ║
║    7 ║ Digital SLR 6  ║        2599 ║          6 ║
║    8 ║ Digital SLR 3  ║        2468 ║          3 ║
║    9 ║ Digital SLR 10 ║        1000 ║         10 ║
║   10 ║ Digital SLR 5  ║        1000 ║          5 ║
╚══════╩════════════════╩═════════════╩════════════╝

因此查询知道product_id,但在执行查询之前,rank是未知的。

2 个答案:

答案 0 :(得分:1)

这是一种只使用MySQL变量的方法 - 所以你不必两次计算排名。

select t.*
from (select t.*,
             @therank := if(product_id = 8, rank, @therank) as therank
      from (SELECT @rn := @rn + 1 AS rank,
                   description, total_sales, product_id
            FROM (SELECT ol.product_id, p.description,
                         sum(ol.item_sell_price) AS total_sales
                  FROM products p INNER JOIN
                       order_lines ol
                       ON p.id = ol.product_id
                  WHERE p.subcategory_id = 1
                  GROUP BY ol.product_id
                  ORDER BY total_sales DESC
                 ) t1 cross join
                 (SELECT @rn := 0) const
           ) t cross join
           (select @therank := 0) const
     ) t
where @therank between rank - 2 and rank + 2
order by rank

内部子查询使用@rn计算排名。下一级别会遍历数据并将@therank设置为给定产品的排名。最后,它被用作最外层的between语句。

MySQL确实实现了子查询。在这种情况下,这可能比重新计算排名要好得多。

答案 1 :(得分:0)

如下的查询:

SELECT rank, description, total_sales
FROM ( ... your query ... )
ORDER BY rank
LIMIT 5 OFFSET 3

将为您提供3到7的记录。