1

我需要使用 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]

建议表示赞赏,谢谢。

4

1 回答 1

1

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

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

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

    lat, ns, lon, ew = string.match(latlon, '(.*)%s*(%a)%s*(.*)%s*(%a)')
    
  3. lat 现在是 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)
    

对于您的 lat 值,您会得到 decDeg1 = 48.208333,根据在线计算器(如http://www.satsig.net/degrees-minutes-seconds-calculator.htm),这是正确的值。

于 2013-10-19T13:05:19.473 回答