5

我需要在 Ruby 下解析一些用户提交的包含纬度和经度的字符串。

结果应该以双精度形式给出

例子:

08º 04' 49'' 09º 13' 12''

结果:

8.080278 9.22

我已经查看了 Geokit 和 GeoRuby,但还没有找到解决方案。有什么提示吗?

4

3 回答 3

12
"08° 04' 49'' 09° 13' 12''".gsub(/(\d+)° (\d+)' (\d+)''/) do
  $1.to_f + $2.to_f/60 + $3.to_f/3600
end
#=> "8.08027777777778 9.22"

编辑:或将结果作为浮点数组获取:

"08° 04' 49'' 09° 13' 12''".scan(/(\d+)° (\d+)' (\d+)''/).map do |d,m,s|
  d.to_f + m.to_f/60 + s.to_f/3600
end
#=> [8.08027777777778, 9.22]
于 2009-08-22T22:33:52.383 回答
4

使用正则表达式怎么样?例如:

def latlong(dms_pair)
  match = dms_pair.match(/(\d\d)º (\d\d)' (\d\d)'' (\d\d)º (\d\d)' (\d\d)''/)
  latitude = match[1].to_f + match[2].to_f / 60 + match[3].to_f / 3600
  longitude = match[4].to_f + match[5].to_f / 60 + match[6].to_f / 3600
  {:latitude=>latitude, :longitude=>longitude}
end

这是一个处理负坐标的更复杂的版本:

def dms_to_degrees(d, m, s)
  degrees = d
  fractional = m / 60 + s / 3600
  if d > 0
    degrees + fractional
  else
    degrees - fractional
  end
end

def latlong(dms_pair)
  match = dms_pair.match(/(-?\d+)º (\d+)' (\d+)'' (-?\d+)º (\d+)' (\d+)''/)

  latitude = dms_to_degrees(*match[1..3].map {|x| x.to_f})
  longitude = dms_to_degrees(*match[4..6].map {|x| x.to_f})

  {:latitude=>latitude, :longitude=>longitude}
end
于 2009-08-22T22:38:41.157 回答
1

根据您的问题形式,您期望解决方案能够正确处理负坐标。如果你不是,那么你会期待一个 N 或 S 跟随纬度和一个 E 或 W 跟随经度。

请注意,接受的解决方案不会提供带有负坐标的正确结果。只有度数为负数,分钟和秒数为正数。在度数为负的情况下,分钟和秒将使坐标更接近 0°,而不是远离 0°。

威尔哈里斯的第二个解决方案是更好的方法。

祝你好运!

于 2009-08-25T14:52:01.543 回答