syntax error, unexpected end-of-input, expecting keyword_end

3.5k Views Asked by At

I'm trying to write a simple program to parse JSON from the results of an API call. Very new to ruby and just can't figure this one out.

Here's all the code:

require "rubygems"
require "json"
require "net/http"
require "uri"

uri = URI.parse("http://api.chartbeat.com/live/recent/v3/?apikey=eaafffb9a735796b6edd50fd31eaab69&host=enactus.org")

http = Net::HTTP.new(uri.host, uri.port)
request = Net::HTTP::Get.new(uri.request_uri)

response = http.request(request)

if response.code == "200"
  result = JSON.parse(response.body)

  result.each do |doc|
    puts doc["id"] #reference properties like this
    puts doc # this is the result in object form    
    puts ""
    puts ""
  end
else
  puts "ERROR!!!"
end

Here's the output of running the program (chartbeat.rb):

chartbeat.rb:14: syntax error, unexpected end-of-input, expecting keyword_end

The program comes verbatim from here with the url replaced: https://gist.github.com/timsavery/1657351

1

There are 1 best solutions below

0
On

It doesn't look like what you're doing is taking advantage of any of Net::HTTPs power, so I'd probably do it like this:

require "rubygems"
require "json"
require "open-uri"

response = open("http://api.chartbeat.com/live/recent/v3/?apikey=eaafffb9a735796b6edd50fd31eaab69&host=enactus.org").read

result = JSON.parse(response)

result.each do |doc|
  puts doc["id"] #reference properties like this
  puts doc # this is the result in object form
  puts ""
  puts ""
end

OpenURI is the basis of a lot of code that hits URLs, and is a great starting place.

If you want to trap exceptions raised, use something like:

begin
  response = open("http://api.chartbeat.com/live/recent/v3/?apikey=eaafffb9a735796b6edd50fd31eaab69&host=enactus.org").read
rescue Exception => e
  puts e.message
  exit
end

It could even be reduced to:

require "rubygems"
require "json"
require "open-uri"

JSON[
  open("http://api.chartbeat.com/live/recent/v3/?apikey=eaafffb9a735796b6edd50fd31eaab69&host=enactus.org").read
].each do |doc|
  puts doc["id"] #reference properties like this
  puts doc # this is the result in object form
  puts ""
  puts ""
end

But that might be too drastic.