1

在 Rails 开发环境中,我尝试添加一个 Sinatra 应用程序作为中间件。Sinatra 应用程序使用geoip gem来处理用户的 IP 地址并返回他们所在城市的 json。

我可以通过在浏览器中直接访问示例 url 或在命令行中使用 curl 来查看返回的 json http://local.fqdn.org/geoip/locate.json?ip=24.18.211.123,. 但是,当我尝试从 Rails 控制器中使用 wget 调用 url 时,Rails 应用程序停止响应,经常使我的浏览器崩溃,并且我的 Rails 服务器不会使用 control+C 命令退出。

关于这里发生了什么的任何线索?为什么直接访问浏览器中的 url 会返回正确的响应,但我在控制器中的调用会导致超时?

sinatra-geoip.rb

require 'sinatra'
require 'geoip'
require 'json'

# http://localhost/geoip/locate.json?ip=24.18.211.123
#
# {
#     latitude: 47.684700012207
#     country_name: "United States"
#     area_code: 206
#     city: "Seattle"
#     region: "WA"
#     longitude: -122.384803771973
#     postal_code: "98117"
#     country_code3: "USA"
#     country_code: "US"
#     dma_code: 819
# }

class GeoIPServer < Sinatra::Base
    get '/geoip/locate.json' do
        c = GeoIP.new('/var/www/mywebsite.org/current/GeoLiteCity.dat').city(params[:ip])
        body c.to_h.to_json
    end
end

路线.rb

mount GeoIPServer => "/geoip"

配置/环境/development.rb

Website::Application.configure do
    require "sinatra-geoip"
    config.middleware.use "GeoIPServer"

...
end

控制器

raw_geo_ip = Net::HTTP.get(URI.parse("http://#{geoip_server}/geoip/locate.json?ip=#{request.ip}"))
@geo_ip = JSON.parse(raw_geo_ip)
4

1 回答 1

1

我们的解决方案很难找到。我们最终在 sinatra 源代码调用中找到了一个方法forward

新的 sinatra-geoip.rb

class GeoIPServer < Sinatra::Base
    if defined?(::Rails)
        get '/properties.json' do
            env["geo_ip.lookup"] = geo_ip_lookup(request.ip)
            forward
        end
    end

    def geo_ip_lookup(ip = nil)
        ip = ip.nil? ? params[:ip] : ip
        result = GeoIP.new('/var/www/mywebsite.org/current/GeoLiteCity.dat').city(ip)
        result.to_h.to_json
    end
end

本质上,我们/geoip/locate.json从文件中删除了路由并将其转换为一个简单的方法。我们需要在properties.json调用时进行 geoip 查找,因此添加了一个带有 geoip 信息的新参数。然后我们将新参数设置为@geo_ip控制器中的变量。

新的属性控制器

if Rails.env.development? or Rails.env.test?
    # Retrieves param set by sinatra-geoip middleware.
    @geo_ip = JSON.parse(env["geo_ip.lookup"] || "{}")
else
    # Production and staging code
end

相当模糊的问题和解决方案。希望它会帮助那里的人。干杯。

于 2013-10-04T20:48:16.527 回答