如何在Lua中将GPS坐标转换为十进制?

时间:2013-09-30 01:33:07

标签: lua gps converter wgs84

我需要使用Lua将GPS坐标从WGS84转换为十进制。

我确信之前已经完成了,所以我正在寻找代码片段的提示。

更正的问题:在Lua中将DMS(Degress Minutes Seconds)转换为DEG((十进制)度数)的代码?

例子: 维也纳:dms:48°12'30“N 16°22'28”E 要么 苏黎世:dms:47°21'7“N 8°30'37”E

我发现的困难是从这些字符串中获取数字。 特别是如何处理度数(°)分钟(')和秒(“)的符号。 因此,我会为每个坐标处理一个表coord {}来处理。

coord {1} [48]
coord {2} [12]
coord {3} [30]
coord {4} [N]
coord {5} [16]
coord {6} [22]
coord {7} [28]
coord {8} [E]

建议表示赞赏,谢谢。

1 个答案:

答案 0 :(得分:1)

将字符串latlon ='48°12'30“N 16°22'28”E'解析为DMS +标题组件:

  1. 这是你的字符串(注意转义的单引号):

    latlon = '48°12\'30" N 16°22\'28" E'
    
  2. 将其分解为两个步骤:lat / lon,然后是每个组件。你需要捕获“()”,用“%s *”忽略标题(N和E)周围的空格:

    lat, ns, lon, ew = string.match(latlon, '(.*)%s*(%a)%s*(.*)%s*(%a)')
    
  3. 纬度为48°12'30“,ns为'N',lon为16°22'28”,ew为'E'。对于lat的组件,一步一步:

    -- string.match(lat, '48°12'30"') -- oops the ' needs escaping or us
    -- string.match(lat, '48°12\'30"') 
    -- ready for the captures:
    -- string.match(lat, '(48)°(12)\'(30)"') -- ready for generic numbers
    d1, m1, s1 = string.match(lat, '(%d+)°(%d+)\'(%d+)"')
    d2, m2, s2 = string.match(lon, '(%d+)°(%d+)\'(%d+)"')
    
  4. 现在你知道了(d1,m1,s1,ns)和(d2,m2,s2,ew),你有:

    sign = 1
    if ns=='S' then sign = -1 end
    decDeg1 = sign*(d1 + m1/60 + s1/3600)
    sign = 1
    if ew=='W' then sign = -1 end
    decDeg2 = sign*(d2 + m2/60 + s2/3600)
    
  5. 对于lat的值,你会得到decDeg1 = 48.208333,这是根据在线计算器的正确值(如http://www.satsig.net/degrees-minutes-seconds-calculator.htm)。