有几种方法可以做到这一点:
WHERE
子句中的过滤器:
select id, name, population
from yourtable
where population in (select max(population)
from yourtable)
或子查询:
select id, name, population
from yourtable t1
inner join
(
select max(population) MaxPop
from yourtable
) t2
on t1.population = t2.maxpop;
或者你可以使用TOP WITH TIES
. 如果没有关系,那么您可以删除with ties
. 这将包括具有相同总体值的任何行:
select top 1 with ties id, name, population
from yourtable
order by population desc
由于您使用的是 SQL Server,因此您还可以使用排名函数来获得结果:
select id, name, population
from
(
select id, name, population,
row_number() over(order by population desc) rn
from yourtable
) src
where rn = 1
请参阅SQL Fiddle with Demo。
作为排名功能的旁注,您可能想要使用dense_rank()
而不是row_number()
. 然后,如果您有多个城市具有相同的人口,您将获得两个城市名称。(见演示)