这很容易用解析函数解决。如您所见,有两名员工在 DEPT 20 中获得最高工资;这是一个重要的细节,因为此类问题的一些常见解决方案会忽略该信息。
SQL> select ename
2 , deptno
3 , sal
4 from (
5 select ename
6 , deptno
7 , sal
8 , max (sal) over (partition by deptno) max_sal
9 , min (sal) over (partition by deptno) min_sal
10 from emp
11 )
12 where sal = max_sal
13 or sal = min_sal
14 order by deptno, sal
15 /
ENAME DEPTNO SAL
---------- ---------- ----------
KISHORE 10 1300
SCHNEIDER 10 5000
CLARKE 20 800
RIGBY 20 3000
GASPAROTTO 20 3000
HALL 30 950
LIRA 30 3750
TRICHLER 50 3500
FEUERSTEIN 50 4500
9 rows selected.
SQL>
糟糕,我错过了有关结果格式的重要细节。我的数据不符合要求的输出,因为有两名员工获得最高薪水。因此,我承认这个查询有点尴尬,它为我们提供了所需的布局。员工姓名上的 MIN() 返回字母顺序:
SQL> select
2 deptno
3 , max (case when sal = min_sal then min_sal else null end ) as min_sal
4 , min (case when sal = min_sal then ename else null end ) as min_name
5 , max (case when sal = max_sal then max_sal else null end ) as max_sal
6 , min (case when sal = max_sal then ename else null end ) as max_name
7 from (
8 select ename
9 , deptno
10 , sal
11 , max (sal) over (partition by deptno) max_sal
12 , min (sal) over (partition by deptno) min_sal
13 from emp
14 )
15 where sal = max_sal
16 or sal = min_sal
17 group by deptno
18 order by deptno
19 /
DEPTNO MIN_SAL MIN_NAME MAX_SAL MAX_NAME
---------- ---------- ---------- ---------- ----------
10 1300 KISHORE 5000 SCHNEIDER
20 800 CLARKE 3000 GASPAROTTO
30 950 HALL 3750 LIRA
50 3500 TRICHLER 4500 FEUERSTEIN
SQL>
我不喜欢这个解决方案。大多数数据集都会包含这样的冲突,我们需要承认它们。根据一些不相关的标准过滤结果以适应 Procrustean 报告布局是误导性的。我更喜欢反映整个数据集的报告布局。最终,它取决于查询服务的业务目的。而且,当然,客户永远是对的 8-)