Consuming an API (Application Programming Interface) in Ruby involves making HTTP requests to retrieve or send data. The most common way to work with APIs in Ruby is by using the Net::HTTP
library or the popular HTTParty
gem. Below are some practical examples for both methods.
Net::HTTP
require 'net/http'
require 'json'
url = URI.parse('https://api.example.com/data')
response = Net::HTTP.get_response(url)
if response.is_a?(Net::HTTPSuccess)
data = JSON.parse(response.body)
puts data
else
puts "Error: #{response.code} - #{response.message}"
end
HTTParty
GemTo use HTTParty
, you first need to install the gem. Add it to your Gemfile or install it directly:
gem install httparty
require 'httparty'
response = HTTParty.get('https://api.example.com/data')
if response.success?
data = response.parsed_response
puts data
else
puts "Error: #{response.code} - #{response.message}"
end
Net::HTTP
require 'net/http'
require 'json'
url = URI.parse('https://api.example.com/data')
http = Net::HTTP.new(url.host, url.port)
http.use_ssl = true # Enable SSL if required
request = Net::HTTP::Post.new(url)
request.content_type = 'application/json'
request.body = JSON.dump({ key: 'value' })
response = http.request(request)
if response.is_a?(Net::HTTPSuccess)
puts "Data sent successfully!"
else
puts "Error: #{response.code} - #{response.message}"
end
In this guide, we covered how to consume APIs in Ruby using both the Net::HTTP
library and the HTTParty
gem. With these examples, you should be able to make GET and POST requests, as well as handle responses and parse JSON data effectively. Happy coding!