Reputation: 803
I'm working on a Rails application using HTTParty to make HTTP requests. How can I handle HTTP errors with HTTParty? Specifically, I need to catch HTTP 502 & 503 and other errors like connection refused and timeout errors.
Upvotes: 79
Views: 52382
Reputation: 7276
You can also use such handy predicate methods as ok?
or bad_gateway?
like this:
response = HTTParty.post(uri, options)
response.success?
The full list of all the possible responses can be found under Rack::Utils::HTTP_STATUS_CODES
constant.
Upvotes: 28
Reputation: 1285
This answer addresses connection failures. If a URL isn´t found the status code won´t help you. Rescue it like this:
begin
HTTParty.get('http://google.com')
rescue HTTParty::Error
# don´t do anything / whatever
rescue StandardError
# rescue instances of StandardError,
# i.e. Timeout::Error, SocketError etc
end
For more information see: this github issue
Upvotes: 50
Reputation: 106027
An instance of HTTParty::Response has a code
attribute which contains the status code of the HTTP response. It's given as an integer. So, something like this:
response = HTTParty.get('http://twitter.com/statuses/public_timeline.json')
case response.code
when 200
puts "All good!"
when 404
puts "O noes not found!"
when 500...600
puts "ZOMG ERROR #{response.code}"
end
Upvotes: 101