dkiswanto
dkiswanto

Reputation: 192

Reverse query a location in Rails-Geocoder with max distance attribute

For an example, I have a model like this

class Place < ActiveRecord::Base
    # has a "latitude" & "longitude" field
    # notice it has "max_distance" field (meter), will be different on each record
end

How can I achieve a query that given a coordinate point, will get all places within in range between distance coordinate point and max_distance field.

lat = 37.792
lng = -122.393

Place.query_in_range_by_point([lat, lng])
# will get nearest places within range "max_distance" field 

I have been looking in Geocoder & Geo-Kit gem documentation, but not found any functionality like that.

If gem above not supported the functionality, can anyone suggest another method that can solve the problem?

Thanks

Upvotes: 1

Views: 833

Answers (3)

Thales Pereira
Thales Pereira

Reputation: 65

I think that the following patch can solve the problem.

Create the following file config/initializers/geokit_rails_patch.rb

module Geokit::ActsAsMappable
  module ClassMethods
    def query_in_range_by_point(options = {})
      sql = build_distance_sql(options)

      where("#{sql} <= #{table_name}.max_distance")
    end

    private

    def build_distance_sql(options)
      origin = extract_origin_from_options(options)
      units = extract_units_from_options(options)
      formula = extract_formula_from_options(options)

      distance_sql(origin, units, formula)
    end
  end
end

Then you can query like

Place.query_in_range_by_point(origin: [-23.5062855, -55.0919171])

Upvotes: 1

oreoluwa
oreoluwa

Reputation: 5623

Sorry I'm posting this as an answer, but the formatting is off when posting code samples in the comment section.

....

by place, I mean having the latitude, longitude, max_distance properties, because if that is the case, then you may only need

class Place < AR::Base
  ...
  def nearby_places
    Place.where.not(id: id).near([latitude, longitude], max_distance)
  end
  ...
end

To access these nearby places, just do:

place = Place.first
nearby_places = place.nearby_places

Upvotes: 0

Tai
Tai

Reputation: 1254

I think that near functions of Geocoder can satisfy your requirement.

class Place < ActiveRecord::Base
  def self.query_in_range_by_point(lat, lng)
    self.near([lat, lng], self.max_distance)
  end
end

Geocoder document refer to this function: https://github.com/alexreisner/geocoder#for-activerecord-models

Upvotes: 1

Related Questions