为RGeo Point设置单个坐标

时间:2012-11-17 17:21:40

标签: ruby-on-rails geocoding geospatial postgis

RGeo为POINT特征提供内置方法,例如getter方法lat()lon(),以从POINT对象中提取纬度和经度值。不幸的是,这些不适合作为制定者。例如:

point = RGeo::Geographic.spherical_factory(:srid => 4326).point(3,5)     // => #<RGeo::Geographic::SphericalPointImpl:0x817e521c "POINT (3.0 5.0)">

我可以这样做:

point.lat      // => 5.0
point.lon      // => 3.0

但我不能这样做:

point.lat = 4    // => NoMethodError: undefined method `lat=' for #<RGeo::Geographic::SphericalPointImpl:0x00000104024770>

有关如何实施setter方法的任何建议?你会在模型中扩展或扩展Feature类吗?

3 个答案:

答案 0 :(得分:28)

我是RGeo的作者,所以你可以在此基础上考虑这个答案权威。

简而言之,请避免这样做。 RGeo对象故意没有setter方法,因为它们是不可变对象。这样它们可以被缓存,用作散列键,用于跨线程等。一些RGeo计算假设特征对象的值永远不会改变,因此进行这样的更改可能会产生意外和不可预测的后果。 / p>

如果您确实需要“已更改”值,请创建一个新对象。例如:

p1 = my_create_a_point()
p2 = p1.factory.point(p1.lon + 20.0, p2.lat)

答案 1 :(得分:2)

虽然可能有更优雅的解决方案,但我找到了可行的方法。

在我的Location模型中,我添加了这些方法:

  after_initialize :init


  def init
    self.latlon ||= Location.rgeo_factory_for_column(:latlon).point(0, 0)
  end

  def latitude
    self.latlon.lat
  end

  def latitude=(value)
    lon = self.latlon.lon
    self.latlon = Location.rgeo_factory_for_column(:latlon).point(lon, value)
  end

  def longitude
    self.latlon.lon
  end

  def longitude=(value)
    lat = self.latlon.lat
    self.latlon = Location.rgeo_factory_for_column(:latlon).point(value, lat)
  end

答案 2 :(得分:0)

我最终在我的模型中做了类似的事情:

class MyModel < ActiveRecord::Base

  attr_accessor :longitude, :latitude
  attr_accessible :longitude, :latitude

  validates :longitude, numericality: { greater_than_or_equal_to: -180, less_than_or_equal_to: 180 }, allow_blank: true
  validates :latitude, numericality: { greater_than_or_equal_to: -90, less_than_or_equal_to: 90 }, allow_blank: true

  before_save :update_gps_location

  def update_gps_location
    if longitude.present? || latitude.present?
      long = longitude || self.gps_location.longitude
      lat = latitude || self.gps_location.latitude
      self.gps_location = RGeo::Geographic.spherical_factory(srid: 4326).point(long, lat)
    end
  end
end

然后您可以像这样更新位置:

my_model.update_attributes(longitude: -122, latitude: 37)

我没有在after_initialize块中加载经度/纬度,因为在我的应用程序中,我们永远不需要读取数据,只写它。你可以轻松地添加它。

归功于this answer验证。