复杂的'顺序'或者排序问题

时间:2012-06-26 16:03:19

标签: sql oracle sql-order-by

我有一张看起来像这样的表

Group  Recipe    Priority
0       A         400
0       A         200
0       B         500
0       B         100
1       C         300
1       C         300
1       D         600

重要性是" Group" > "优先级" > "配方"

第0组必须先行。 在第0组中,优先级500必须先行(因为它具有更高的优先级),但为了提高效率,所有配方都必须先行。

排序后, 它应该看起来像这样

Group  Recipe    Priority
0       B         500
0       B         100
0       A         400
0       A         200
1       D         600
1       C         300
1       C         300

我已经尝试了所有不同的方式来按照'但找不到正确的方法。

感谢您的帮助

2 个答案:

答案 0 :(得分:12)

问题很微妙。您不希望按优先级排序,而是按给定组/配方组合的最大优先级排序。也就是说,您希望根据此最高优先级将所有配方保留在一起。

以下是:

select t.Group, t.Recipe, t.Priority,
       max(priority) over (partition by t.group, t.recipe) as maxpriority
from tablename t
order by t.Group asc, 4 desc, t.Recipe, priority desc

答案 1 :(得分:2)

在旧版本的Oracle中,在提供分析函数之前,我们将使用如下查询返回指定的结果集:

SELECT f.group
     , f.recipe
     , f.priority
  FROM foo f
  JOIN ( SELECT g.group
              , g.recipe
              , MAX(g.priority) AS max_priority 
           FROM foo g
          GROUP BY g.group, g.recipe
       ) m
    ON m.group = f.group AND m.recipe = f.recipe
 ORDER BY f.group
        , m.max_priority DESC
        , f.recipe
        , f.priority DESC

此方法适用于其他没有分析功能的数据库,例如MySQL。

注意:上面的查询不是NULL安全的,因为JOIN谓词将消除组或配方列具有NULL值的行。它可以被设置为NULL安全,但它会使SQL复杂化。

SELECT f.group
     , f.recipe
     , f.priority
  FROM foo f
  JOIN ( SELECT g.group
              , g.recipe
              , MAX(g.priority) AS max_priority 
           FROM foo g
          GROUP BY g.group, g.recipe
       ) m
    ON (m.group = f.group OR COALESCE(m.group,f.group) IS NULL)
       AND (m.recipe = f.recipe OR COALESCE(m.recipe,f.recipe) IS NULL)
 ORDER BY f.group
        , m.max_priority DESC
        , f.recipe
        , f.priority DESC

使用SELECT列表中的相关子查询也可以获得等效结果,除了该结果集在结果集中包含额外的“max_priority”列。

SELECT f.group
     , f.recipe
     , f.priority
     , (SELECT MAX(g.priority)
          FROM foo g
         WHERE (g.group = f.group OR COALESCE(g.group,f.group) IS NULL)
           AND (g.recipe = f.recipe OR COALESCE(g.recipe,f.recipe) IS NULL)
       ) AS max_priority
  FROM foo f
 ORDER BY f.group
        , 4 DESC
        , f.recipe
        , f.priority DESC

(我还没有测试是否可以从SELECT列表中删除相关的子查询并完全转移到ORDER BY子句。如果这样做,我们将消除返回额外的列,但该查询看起来真的,真的奇数。)另一个选项(省略那个额外的列)是将这个查询(作为内联视图)包装在另一个查询中。

SELECT e.group
     , e.recipe
     , e.priority 
  FROM (
        SELECT f.group
             , f.recipe
             , f.priority
             , (SELECT MAX(g.priority)
                  FROM foo g
                 WHERE (g.group = f.group OR COALESCE(g.group,f.group) IS NULL)
                   AND (g.recipe = f.recipe OR COALESCE(g.recipe,f.recipe) IS NULL)
                ) AS max_priority
          FROM foo f
       ) e
 ORDER BY e.group
        , e.max_priority DESC
        , e.recipe
        , e.priority DESC