简体   繁体   中英

Ruby on Rails and JSON parser from URL

I use 'gem json' and need load JSON data from some url , for example:

"http://locallhost:3000/qwerty/give_json.json" with

{"one":"Omg","two":125,"three":"Hu"}

I have rails app

class QwertyController < ApplicationController
    require 'json'

    def get_json
        source = "http://localhost:3000/qwerty/give_json.json"
        @data = JSON.parse(JSON.load(source))
    end
end

I get error

JSON::ParserError in QwertyController#get_json
795: unexpected token at 'http://localhost:3000/qwerty/give_json.json'

In string: @data = JSON.parse(JSON.load(source))

What is the matter? How can I get JSON data and parse it? I try @data["one"] ...

JSON.load takes a source that is a String or IO object according to the documentation

http://www.ruby-doc.org/stdlib-1.9.3/libdoc/json/rdoc/JSON.html#method-i-load

[17] pry(main)> {hello: "World"}.to_json
=> "{\"hello\":\"World\"}"
[18] pry(main)> JSON.load(_)
=> {"hello"=>"World"}

You're giving it a String that is a URL and that's why you're getting an error. You can use open-uri to fetch the data from the URL to then be parsed by JSON like so...

[22] pry(main)> require 'open-uri'
=> false
[23] pry(main)> JSON.load(open("https://api.github.com"))
=> {"current_user_url"=>"https://api.github.com/user",
 "authorizations_url"=>"https://api.github.com/authorizations",
 "emails_url"=>"https://api.github.com/user/emails",
 "emojis_url"=>"https://api.github.com/emojis",
 "events_url"=>"https://api.github.com/events",
 "feeds_url"=>"https://api.github.com/feeds",
 "following_url"=>"https://api.github.com/user/following{/target}",
 "gists_url"=>"https://api.github.com/gists{/gist_id}",
 "hub_url"=>"https://api.github.com/hub"}

NOTE

open returns a StringIO object which responds to read returning the JSON data. JSON.load turns the data into a hash to be used.

To parse the JSON string you can either use JSON.load or JSON.parse

You could use net/http library like below:

   require 'net/http'
   source = 'http://localhost:3000/qwerty/give_json.json'
   resp = Net::HTTP.get_response(URI.parse(source))
   data = resp.body
   result = JSON.parse(data)

Or the gem http party:

require 'httparty'

response = HTTParty.get('http://localhost:3000/qwerty/give_json.json')
json = JSON.parse(response.body)

By default, httparty already includes the JSON library within . 包含JSON库。
This means that the call to require 'json' is unnecessary.

Thanks for providing these examples!

You could use JSON and net/http lib.. which is below:

require 'net/http'
require 'json'

url = "https://api.url/"
uri = URI(url)
response = Net::HTTP.get(uri)
data = JSON.parse(response)
objs.each do |data|
  title = data["title"]

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM