0

我正在从 windows phone 7.5 获取位置更新到我的 sql server 2008 R2 数据库中。手机在车里,也可以用作追踪设备。

例如:这个位置(纬度:51.5557830164189 经度:0.0711440443992739)是我从手机收到的。现在我想在我的邮政编码表中找出最近的位置或邮政编码,该位置几乎有 170 万条记录。

我的邮政编码表定义是

CREATE TABLE [dbo].[PostCode1](
    [Postcode] [nvarchar](50) NOT NULL,
    [Coordinates] [geography] NOT NULL,
 CONSTRAINT [PK_PostCode1] PRIMARY KEY CLUSTERED 
(
    [Postcode] ASC
)WITH (PAD_INDEX  = OFF, STATISTICS_NORECOMPUTE  = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS  = ON, ALLOW_PAGE_LOCKS  = ON) ON [PRIMARY]
) ON [PRIMARY]

GO

我通过谷歌搜索尝试了很多博客,但找不到答案

有人可以指导我如何通过使用查询来实现这一点,而且我只需要表中的 1 条记录,而且时间更短。

谢谢

4

1 回答 1

2

我发现下面的这个功能非常有用。我已经对其进行了修改,因此它以英里而不是公里为单位。

您可以将其用作构建返回最近邮政编码的过程的基础。

如果您创建一个视图/@temptable,您可以计算出点到点的距离,然后按最短距离的前 1 个进行过滤。

/****** Object:  UserDefinedFunction [dbo].[DISTANCE] ******/
SET ANSI_NULLS ON
GO
SET QUOTED_IDENTIFIER ON
GO
ALTER function [dbo].[DISTANCE]
    (
    @Latitude1  float,
    @Longitude1 float,
    @Latitude2  float,
    @Longitude2 float
    )
returns float
as
/*
fUNCTION: F_GREAT_CIRCLE_DISTANCE

    Computes the Great Circle distance in kilometers
    between two points on the Earth using the
    Haversine formula distance calculation.

Input Parameters:
    @Longitude1 - Longitude in degrees of point 1
    @Latitude1  - Latitude  in degrees of point 1
    @Longitude2 - Longitude in degrees of point 2
    @Latitude2  - Latitude  in degrees of point 2

*/
begin
declare @radius float

declare @lon1  float
declare @lon2  float
declare @lat1  float
declare @lat2  float

declare @a float
declare @distance float

-- Sets average radius of Earth in Kilometers
set @radius = 3959.0E

-- Convert degrees to radians
set @lon1 = radians( @Longitude1 )
set @lon2 = radians( @Longitude2 )
set @lat1 = radians( @Latitude1 )
set @lat2 = radians( @Latitude2 )

set @a = sqrt(square(sin((@lat2-@lat1)/2.0E)) + 
    (cos(@lat1) * cos(@lat2) * square(sin((@lon2-@lon1)/2.0E))) )

set @distance =
    @radius * ( 2.0E *asin(case when 1.0E < @a then 1.0E else @a end ))

return @distance

end
于 2012-12-07T21:01:48.340 回答