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



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

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

更正的问题:在 Lua 中将 DMS(递减分钟秒)转换为度((十进制)度)的代码?

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

我发现的困难是从这些字符串中获取数字。特别是如何处理度(°)分(')和秒(")的符号。这样我就可以处理每个坐标的表坐标{}。

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

建议不胜感激,谢谢。

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

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

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

    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)
    

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

相关内容

  • 没有找到相关文章

最新更新