Advertisement
  1. Code
  2. Ruby

Crafting APIs With Rails

Scroll to top
Read Time: 14 min

Nowadays it is a common practice to rely heavily on APIs (application programming interfaces). Not only big services like Facebook and Twitter employ them—APIs are very popular due to the spread of client-side frameworks like React, Angular, and many others. Ruby on Rails is following this trend, and the latest version presents a new feature allowing you to create API-only applications. 

Initially this functionality was packed into a separate gem called rails-api, but since the release of Rails 5, it is now part of the framework's core. This feature along with ActionCable was probably the most anticipated, and so today we are going to discuss it.

This article covers how to create API-only Rails applications and explains how to structure your routes and controllers, respond with the JSON format, add serializers, and set up CORS (Cross-Origin Resource Sharing). You will also learn about some options to secure the API and protect it from abuse.

The source for this article is available at GitHub.

Creating an API-Only Application

To start off, run the following command:

1
rails new RailsApiDemo --api

It is going to create a new API-only Rails application called RailsApiDemo. Don't forget that the support for the --api option was added only in Rails 5, so make sure you have this or a newer version installed.

Open the Gemfile and note that it is much smaller than usual: gems like coffee-rails, turbolinks, and sass-rails are gone.

The config/application.rb file contains a new line:

1
config.api_only = true

It means that Rails is going to load a smaller set of middleware: for instance, there's no cookies and sessions support. Moreover, if you try to generate a scaffold, views and assets won't be created. Actually, if you check the views/layouts directory, you'll note that the application.html.erb file is missing as well.

Another important difference is that the ApplicationController inherits from the ActionController::API, not ActionController::Base.

That's pretty much it—all in all, this is a basic Rails application you've seen many times. Now let's add a couple of models so that we have something to work with:

1
rails g model User name:string
2
rails g model Post title:string body:text user:belongs_to
3
rails db:migrate

Nothing fancy is going on here: a post with a title, and a body belongs to a user.

Ensure that the proper associations are set up and also provide some simple validation checks:

models/user.rb

1
  has_many :posts
2
3
  validates :name, presence: true

models/post.rb

1
  belongs_to :user
2
3
  validates :title, presence: true
4
  validates :body, presence: true

Brilliant! The next step is to load a couple of sample records into the newly created tables.

Loading Demo Data

The easiest way to load some data is by utilizing the seeds.rb file inside the db directory. However, I am lazy (as many programmers are) and don't want to think of any sample content. Therefore, why don't we take advantage of the faker gem that can produce random data of various kinds: names, emails, hipster words, "lorem ipsum" texts, and much more.

Gemfile

1
group :development do
2
    gem 'faker'
3
end

Install the gem:

1
bundle install

Now tweak the seeds.rb:

db/seeds.rb

1
5.times do
2
  user = User.create({name: Faker::Name.name})
3
  user.posts.create({title: Faker::Book.title, body: Faker::Lorem.sentence})
4
end

Lastly, load your data:

1
rails db:seed

Responding With JSON

Now, of course, we need some routes and controllers to craft our API. It's a common practice to nest the API's routes under the api/ path. Also, developers usually provide the API's version in the path, for example api/v1/. Later, if some breaking changes have to be introduced, you can simply create a new namespace (v2) and a separate controller.

Here is how your routes can look:

config/routes.rb

1
namespace 'api' do
2
    namespace 'v1' do
3
      resources :posts
4
      resources :users
5
    end
6
end

This generates routes like:

1
api_v1_posts GET    /api/v1/posts(.:format)     api/v1/posts#index
2
             POST   /api/v1/posts(.:format)     api/v1/posts#create
3
 api_v1_post GET    /api/v1/posts/:id(.:format) api/v1/posts#show

You may use a scope method instead of the namespace, but then by default it will look for the UsersController and PostsController inside the controllers directory, not inside the controllers/api/v1, so be careful.

Create the api folder with the nested directory v1 inside the controllers. Populate it with your controllers:

controllers/api/v1/users_controller.rb

1
module Api
2
    module V1
3
        class UsersController < ApplicationController
4
        end
5
    end
6
end

controllers/api/v1/posts_controller.rb

1
module Api
2
    module V1
3
        class PostsController < ApplicationController
4
        end
5
    end
6
end

Note that not only do you have to nest the controller's file under the api/v1 path, but the class itself also has to be namespaced inside the Api and V1 modules.

The next question is how to properly respond with the JSON-formatted data? In this article we will try these solutions: the jBuilder and active_model_serializers gems. So before proceeding to the next section, drop them into the Gemfile:

Gemfile

1
gem 'jbuilder', '~> 2.5'
2
gem 'active_model_serializers', '~> 0.10.0'

Then run:

1
bundle install

Using the jBuilder Gem

jBuilder is a popular gem maintained by the Rails team that provides a simple DSL (domain-specific language) allowing you to define JSON structures in your views.

Suppose we wanted to display all the posts when a user hits the index action:

controllers/api/v1/posts_controller.rb

1
 def index
2
    @posts = Post.order('created_at DESC')
3
end

All you need to do is create the view named after the corresponding action with the .json.jbuilder extension. Note that the view must be placed under the api/v1 path as well:

views/api/v1/posts/index.json.jbuilder

1
json.array! @posts do |post|
2
  json.id post.id
3
  json.title post.title
4
  json.body post.body
5
end

json.array! traverses the @posts array. json.id, json.title and json.body generate the keys with the corresponding names setting the arguments as the values. If you navigate to http://localhost:3000/api/v1/posts.json, you'll see an output similar to this one:

1
[
2
    {"id": 1, "title": "Title 1", "body": "Body 1"},
3
    {"id": 2, "title": "Title 2", "body": "Body 2"}
4
]

What if we wanted to display the author for each post as well? It's simple:

1
json.array! @posts do |post|
2
  json.id post.id
3
  json.title post.title
4
  json.body post.body
5
  json.user do
6
    json.id post.user.id
7
    json.name post.user.name
8
  end
9
end

The output will change to:

1
[
2
    {"id": 1, "title": "Title 1", "body": "Body 1", "user": {"id": 1, "name": "Username"}}
3
]

The contents of the .jbuilder files is plain Ruby code, so you may utilize all the basic operations as usual.

Note that jBuilder supports partials just like any ordinary Rails view, so you may also say: 

1
json.partial! partial: 'posts/post', collection: @posts, as: :post

and then create the views/api/v1/posts/_post.json.jbuilder file with the following contents:

1
json.id post.id
2
json.title post.title
3
json.body post.body
4
json.user do
5
    json.id post.user.id
6
    json.name post.user.name
7
end

So, as you see, jBuilder is easy and convenient. However, as an alternative, you may stick with the serializers, so let's discuss them in the next section.

Using Serializers

The rails_model_serializers gem was created by a team who initially managed the rails-api. As stated in the documentation, rails_model_serializers brings convention over configuration to your JSON generation. Basically, you define which fields should be used upon serialization (that is, JSON generation).

Here is our first serializer:

serializers/post_serializer.rb

1
class PostSerializer < ActiveModel::Serializer
2
  attributes :id, :title, :body
3
end

Here we say that all these fields should be present in the resulting JSON. Now methods like to_json and as_json called upon a post will use this configuration and return the proper content.

In order to see it in action, modify the index action like this:

controllers/api/v1/posts_controller.rb

1
def index
2
    @posts = Post.order('created_at DESC')
3
    
4
    render json: @posts
5
end

as_json will automatically be called upon the @posts object.

What about the users? Serializers allow you to indicate relations, just like models do. What's more, serializers can be nested:

serializers/post_serializer.rb

1
class PostSerializer < ActiveModel::Serializer
2
  attributes :id, :title, :body
3
  belongs_to :user
4
5
  class UserSerializer < ActiveModel::Serializer
6
    attributes :id, :name
7
  end
8
end

Now when you serialize the post, it will automatically contain the nested user key with its id and name. If later you create a separate serializer for the user with the :id attribute excluded:

serializers/post_serializer.rb

1
class UserSerializer < ActiveModel::Serializer
2
    attributes :name
3
end

then @user.as_json won't return the user's id. Still, @post.as_json will return both the user's name and id, so bear it in mind.

Securing the API

In many cases, we don't want anyone to just perform any action using the API. So let's present a simple security check and force our users to send their tokens when creating and deleting posts.

The token will have an unlimited life span and be created upon the user's registration. First of all, add a new token column to the users table:

1
rails g migration add_token_to_users token:string:index

This index should guarantee uniqueness as there can't be two users with the same token:

db/migrate/xyz_add_token_to_users.rb

1
add_index :users, :token, unique: true

Apply the migration:

1
rails db:migrate

Now add the before_save callback:

models/user.rb

1
before_create -> {self.token = generate_token}

The generate_token private method will create a token in an endless cycle and check whether it is unique or not. As soon as a unique token is found, return it:

models/user.rb

1
private
2
3
def generate_token
4
    loop do
5
      token = SecureRandom.hex
6
      return token unless User.exists?({token: token})
7
    end
8
end

You may use another algorithm to generate the token, for example based on the MD5 hash of the user's name and some salt.

User Registration

Of course, we also need to allow users to register, because otherwise they won't be able to obtain their token. I don't want to introduce any HTML views into our application, so instead let's add a new API method:

controllers/api/v1/users_controller.rb

1
def create
2
    @user = User.new(user_params)
3
    if @user.save
4
      render status: :created
5
    else
6
      render json: @user.errors, status: :unprocessable_entity
7
    end
8
end
9
10
private
11
12
def user_params
13
    params.require(:user).permit(:name)
14
end

It's a good idea to return meaningful HTTP status codes so that developers understand exactly what is going on. Now you may either provide a new serializer for the users or stick with a .json.jbuilder file. I prefer the latter variant (that's why I do not pass the :json option to the render method), but you are free to choose any of them. Note, however, that the token must not be always serialized, for example when you return a list of all users—it should be kept safe!

views/api/v1/users/create.json.jbuilder

1
json.id @user.id
2
json.name @user.name
3
json.token @user.token

The next step is to test if everything is working properly. You may either use the curl command or write some Ruby code. Since this article is about Ruby, I'll go with the coding option.

Testing User's Registration

To perform an HTTP request, we will employ the Faraday gem, which provides a common interface over many adapters (the default is Net::HTTP). Create a separate Ruby file, include Faraday, and set up the client:

api_client.rb

1
require 'faraday'
2
3
client = Faraday.new(url: 'http://localhost:3000') do |config|
4
  config.adapter  Faraday.default_adapter
5
end
6
7
response = client.post do |req|
8
  req.url '/api/v1/users'
9
  req.headers['Content-Type'] = 'application/json'
10
  req.body = '{ "user": {"name": "test user"} }'
11
end

All these options are pretty self-explanatory: we choose the default adapter, set the request URL to http://localhost:300/api/v1/users, change the content type to application/json, and provide the body of our request.

The server's response is going to contain JSON, so to parse it I'll use the Oj gem:

api_client.rb

1
require 'oj'
2
3
# client here...

4
5
puts Oj.load(response.body)
6
puts response.status

Apart from the parsed response, I also display the status code for debugging purposes.

Now you can simply run this script:

1
ruby api_client.rb

and store the received token somewhere—we'll use it in the next section.

Authenticating With the Token

To enforce the token authentication, the authenticate_or_request_with_http_token method can be used. It is a part of the ActionController::HttpAuthentication::Token::ControllerMethods module, so don't forget to include it:

controllers/api/v1/posts_controller.rb 

1
class PostsController < ApplicationController
2
    include ActionController::HttpAuthentication::Token::ControllerMethods
3
    # ...
4
end

Add a new before_action and the corresponding method:

controllers/api/v1/posts_controller.rb 

1
before_action :authenticate, only: [:create, :destroy]
2
3
# ...
4
5
private
6
7
# ...
8
9
def authenticate
10
    authenticate_or_request_with_http_token do |token, options|
11
      @user = User.find_by(token: token)
12
    end
13
end

Now if the token is not set or if a user with such token cannot be found, a 401 error will be returned, halting the action from executing.

Do note that the communication between the client and the server has to be made over HTTPS, because otherwise the tokens may be easily spoofed. Of course, the provided solution is not ideal, and in many cases it is preferable to employ the OAuth 2 protocol for authentication. There are at least two gems that greatly simplify the process of supporting this feature: Doorkeeper and oPRO.

Creating a Post

To see our authentication in action, add the create action to the PostsController:

controllers/api/v1/posts_controller.rb 

1
def create
2
    @post = @user.posts.new(post_params)
3
    if @post.save
4
        render json: @post, status: :created
5
    else
6
        render json: @post.errors, status: :unprocessable_entity
7
    end
8
end

We take advantage of the serializer here to display the proper JSON. The @user was already set inside the before_action.

Now test everything out using this simple code:

api_client.rb

1
client = Faraday.new(url: 'http://localhost:3000') do |config|
2
  config.adapter  Faraday.default_adapter
3
  config.token_auth('127a74dbec6f156401b236d6cb32db0d')
4
end
5
6
response = client.post do |req|
7
  req.url '/api/v1/posts'
8
  req.headers['Content-Type'] = 'application/json'
9
  req.body = '{ "post": {"title": "Title", "body": "Text"} }'
10
end

Replace the argument passed to the token_auth with the token received upon registration, and run the script.

1
ruby api_client.rb

Deleting a Post

Deletion of a post is done in the same way. Add the destroy action:

controllers/api/v1/posts_controller.rb 

1
def destroy
2
    @post = @user.posts.find_by(params[:id])
3
    if @post
4
      @post.destroy
5
    else
6
      render json: {post: "not found"}, status: :not_found
7
    end
8
end

We only allow users to destroy the posts they actually own. If the post is removed successfully, the 204 status code (no content) will be returned. Alternatively, you may respond with the post's id that was deleted as it will still be available from the memory.

Here is the piece of code to test this new feature:

api_client.rb

1
response = client.delete do |req|
2
  req.url '/api/v1/posts/6'
3
  req.headers['Content-Type'] = 'application/json'
4
end

Replace the post's id with a number that works for you.

Setting Up CORS

If you want to enable other web services to access your API (from the client-side), then CORS (Cross-Origin Resource Sharing) should be properly set up. Basically, CORS allows web applications to send AJAX requests to the third-party services. Luckily, there is a gem called rack-cors that enables us to easily set everything up. Add it into the Gemfile:

Gemfile

1
gem 'rack-cors'

Install it:

1
bundle install

And then provide the configuration inside the config/initializers/cors.rb file. Actually, this file is already created for you and contains a usage example. You can also find some pretty detailed documentation on the gem's page.

The following configuration, for example, will allow anyone to access your API using any method:

config/initializers/cors.rb

1
Rails.application.config.middleware.insert_before 0, Rack::Cors do
2
  allow do
3
    origins '*'
4
5
    resource '/api/*',
6
      headers: :any,
7
      methods: [:get, :post, :put, :patch, :delete, :options, :head]
8
  end
9
end

Preventing Abuse

The last thing I am going to mention in this guide is how to protect your API from abuse and denial of service attacks. There is a nice gem called rack-attack (created by people from Kickstarter) that allows you to blacklist or whitelist clients, prevent the flooding of a server with requests, and more.

Drop the gem into Gemfile:

Gemfile

1
gem 'rack-attack'

Install it:

1
bundle install

And then provide configuration inside the rack_attack.rb initializer file. The gem's documentation lists all the available options and suggests some use cases. Here is the sample config that restricts anyone except you from accessing the service and limits the maximum number of requests to 5 per second:

config/initializers/rack_attack.rb

1
class Rack::Attack
2
  safelist('allow from localhost') do |req|
3
    # Requests are allowed if the return value is truthy
4
    '127.0.0.1' == req.ip || '::1' == req.ip
5
  end
6
7
  throttle('req/ip', :limit => 5, :period => 1.second) do |req|
8
    req.ip
9
  end
10
end

Another thing that needs to be done is including RackAttack as a middleware:

config/application.rb

1
config.middleware.use Rack::Attack

Conclusion

We've come to the end of this article. Hopefully, by now you feel more confident about crafting APIs with Rails! Do note that this is not the only available option—another popular solution that was around for quite some time is the Grape framework, so you may be interested in checking it out as well.

Don't hesitate to post your questions if something seemed unclear to you. I thank you for staying with me, and happy coding!

Advertisement
Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Advertisement
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.