1

我有一个非常复杂的查询需要做,但我似乎无法理解如何完成它,所以我希望有人可以帮助我。

我有两个查询需要合并为一个查询。

我的第一个查询是这样的:

select * from table1 t1 
join table2 t2 on t2.outcode = t1.post_code

这会产生包括LATLONG邮政编码的结果,如下所示:

  Name    Postcode          Lat         Long
Taylor         CB8    53.829517    -1.780320

这些只是用于测试目的的虚拟值。

我的下一个查询是这个

SELECT * FROM (
    SELECT t3.location_name, 
    calc_distance(t3.lat, t3.lng, t2.lat,t2.lng) as distance
    FROM table3 t3, table2 t2 
    where t2.outcode = :postcode
    order by distance) i 
where rownum = 1

calc_distance是一个根据点的 LAT & LONG 计算距离的函数

如果我:postcodeCB8它代替会产生这些结果

Location_name     Distance
  NR Location         56.6

我需要做的是从单个查询中生成以下输出。

  Name    Postcode          Lat         Long    Nearest_Loc     Distance
Taylor         CB8    53.829517    -1.780320    NR Location         56.6

如果可能的话,我一生都无法弄清楚如何制作这个。

任何人都可以帮忙吗?

4

1 回答 1

1

你可以ROW_NUMBER()在这里有效地使用。通过分区t2.outcode和排序,distance我们可以找到每个输出码 ( t3.rn = 1) 的最小距离。

SELECT 
       t1.Name,
       t1.Postcode,
       t2.Lat,         
       t2.Long,    
       t3.Nearest_Loc,
       t3.Distance
From 
      table1 t1 
       INNER join table2 t2 on t2.outcode = t1.post_code
    LEFT JOIN (
               SELECT t3.location_name, 
                     calc_distance(t3.lat, t3.lng, t2.lat,t2.lng) as distance,
                     row_number() over (partition by t2.outcode 
                                        order by calc_distance(t3.lat, t3.lng, t2.lat,t2.lng) 
                                      ) rn,
                    t2.outcode
               FROM table3 t3, table2 t2 
            ) t3
     on t1.Postcode =  t3.PostCode
      and t3.rn = 1
于 2012-05-21T16:39:17.713 回答