Ruby on Rails has come a long way since its inception, and it’s still a powerhouse for building robust web applications. One exciting area where Rails shines is in creating headless CMS systems that work seamlessly with modern frontend frameworks. Let’s dive into how we can leverage Rails to build a flexible and scalable headless CMS.
First things first, what exactly is a headless CMS? Unlike traditional content management systems, a headless CMS separates the content management backend from the frontend presentation layer. This separation allows developers to use any frontend technology they prefer, be it React, Vue, or even a mobile app, while still having a powerful backend to manage content.
To get started, we’ll need to set up a new Rails project. Open up your terminal and run:
rails new headless_cms_api --api
cd headless_cms_api
We’re using the —api flag to create a Rails API-only application, perfect for our headless CMS.
Now, let’s create a model to represent our content. We’ll call it “Article” for this example:
rails generate model Article title:string content:text published_at:datetime
rails db:migrate
With our model in place, we need to set up the API endpoints. Create a new controller:
rails generate controller Api::V1::Articles
Open the newly created controller file and add the following code:
class Api::V1::ArticlesController < ApplicationController
  def index
    @articles = Article.all
    render json: @articles
  end
  def show
    @article = Article.find(params[:id])
    render json: @article
  end
  def create
    @article = Article.new(article_params)
    if @article.save
      render json: @article, status: :created
    else
      render json: @article.errors, status: :unprocessable_entity
    end
  end
  private
  def article_params
    params.require(:article).permit(:title, :content, :published_at)
  end
end
This controller provides basic CRUD operations for our articles. Now, let’s set up the routes in config/routes.rb:
Rails.application.routes.draw do
  namespace :api do
    namespace :v1 do
      resources :articles
    end
  end
end
At this point, we have a basic API for managing articles. But a headless CMS needs more. Let’s add some advanced features to make our CMS more powerful and flexible.
One crucial aspect of a CMS is content versioning. We want to keep track of changes made to our articles. For this, we can use the paper_trail gem. Add it to your Gemfile:
gem 'paper_trail'
Run bundle install, then set up paper_trail:
rails generate paper_trail:install
rails db:migrate
Now, add versioning to your Article model:
class Article < ApplicationRecord
  has_paper_trail
end
With this in place, every change to an article will be tracked. We can even add an endpoint to view the version history:
def history
  @article = Article.find(params[:id])
  render json: @article.versions
end
Don’t forget to add this route in config/routes.rb:
resources :articles do
  member do
    get 'history'
  end
end
Another important feature for a CMS is the ability to handle different content types. Let’s create a flexible content model using PostgreSQL’s jsonb data type:
rails generate model ContentType name:string fields:jsonb
rails generate model Content content_type:references data:jsonb
rails db:migrate
Now we can create different content types with custom fields:
class Api::V1::ContentTypesController < ApplicationController
  def create
    @content_type = ContentType.new(content_type_params)
    if @content_type.save
      render json: @content_type, status: :created
    else
      render json: @content_type.errors, status: :unprocessable_entity
    end
  end
  private
  def content_type_params
    params.require(:content_type).permit(:name, fields: {})
  end
end
This allows us to create content types with custom fields, making our CMS incredibly flexible.
Now, let’s add authentication to secure our API. We’ll use the devise-jwt gem for token-based authentication:
gem 'devise'
gem 'devise-jwt'
Run bundle install, then set up devise:
rails generate devise:install
rails generate devise User
rails db:migrate
Configure devise-jwt in config/initializers/devise.rb:
config.jwt do |jwt|
  jwt.secret = ENV['DEVISE_JWT_SECRET_KEY']
  jwt.dispatch_requests = [
    ['POST', %r{^/login$}]
  ]
  jwt.revocation_requests = [
    ['DELETE', %r{^/logout$}]
  ]
  jwt.expiration_time = 1.day.to_i
end
Don’t forget to set the DEVISE_JWT_SECRET_KEY environment variable!
Now, let’s add a login endpoint:
class Users::SessionsController < Devise::SessionsController
  respond_to :json
  private
  def respond_with(resource, _opts = {})
    render json: { message: 'Logged in successfully.', user: resource }
  end
  def respond_to_on_destroy
    head :no_content
  end
end
Update your routes:
devise_for :users, controllers: { sessions: 'users/sessions' }
With authentication in place, we can now protect our API endpoints:
class Api::V1::ArticlesController < ApplicationController
  before_action :authenticate_user!
  # ... rest of the controller
end
Now that we have a secure, flexible backend, let’s think about how this integrates with modern frontend frameworks. The beauty of a headless CMS is that it can work with any frontend technology. Let’s consider a React frontend as an example.
First, we’d set up a new React project:
npx create-react-app cms-frontend
cd cms-frontend
Then, we’d use a library like axios to make API requests to our Rails backend:
import axios from 'axios';
const api = axios.create({
  baseURL: 'http://localhost:3000/api/v1',
});
export const getArticles = () => api.get('/articles');
export const createArticle = (article) => api.post('/articles', article);
We could then use these functions in our React components:
import React, { useState, useEffect } from 'react';
import { getArticles } from './api';
function ArticleList() {
  const [articles, setArticles] = useState([]);
  useEffect(() => {
    getArticles().then(response => setArticles(response.data));
  }, []);
  return (
    <div>
      {articles.map(article => (
        <div key={article.id}>
          <h2>{article.title}</h2>
          <p>{article.content}</p>
        </div>
      ))}
    </div>
  );
}
This setup allows for a clean separation of concerns. The Rails backend handles data storage, authentication, and business logic, while the React frontend focuses on presentation and user interaction.
But we’re not done yet! A truly advanced headless CMS should support features like content scheduling, SEO metadata, and media management. Let’s enhance our Article model:
class Article < ApplicationRecord
  has_paper_trail
  has_one_attached :featured_image
  
  validates :title, presence: true
  validates :content, presence: true
  
  scope :published, -> { where('published_at <= ?', Time.current) }
  
  def seo_metadata
    {
      title: seo_title.presence || title,
      description: seo_description,
      keywords: seo_keywords
    }
  end
end
We’ve added an attached image, some validations, a scope for published articles, and a method for SEO metadata. Now let’s update our migration to include these new fields:
class AddSeoFieldsToArticles < ActiveRecord::Migration[6.1]
  def change
    add_column :articles, :seo_title, :string
    add_column :articles, :seo_description, :text
    add_column :articles, :seo_keywords, :string
  end
end
Don’t forget to run rails db:migrate after creating this migration.
To handle media uploads, we can use Active Storage, which comes built-in with Rails. Let’s add an endpoint for uploading images:
def upload_image
  @article = Article.find(params[:id])
  @article.featured_image.attach(params[:image])
  if @article.featured_image.attached?
    render json: { message: 'Image uploaded successfully', url: url_for(@article.featured_image) }
  else
    render json: { error: 'Failed to upload image' }, status: :unprocessable_entity
  end
end
Add this to your routes:
resources :articles do
  member do
    post 'upload_image'
  end
end
Now, we have a pretty robust headless CMS system. But there’s always room for improvement! Here are a few more ideas to take it to the next level:
- Implement a caching system using Redis to improve performance.
- Add a search functionality using Elasticsearch for faster content retrieval.
- Implement a webhook system to notify external services when content changes.
- Create a drafts system to allow content to be saved without being published.
- Add support for content localization to manage multi-language content.
Building a headless CMS with Rails is an exciting journey. It combines the power and flexibility of Rails with the freedom to use any frontend technology. This approach allows for scalable, maintainable, and future-proof content management solutions.
Remember, the key to a successful headless CMS is a well-designed API. Take the time to plan your endpoints, consider versioning from the start, and always keep security in mind. With Rails, you have all the tools you need to create a powerful backend that can serve content to any platform or device.
As you continue to develop your headless CMS, keep an eye on emerging technologies and best practices. The world of web development is always evolving, and staying up-to-date will help you build better, more efficient systems.
So, roll up your sleeves, fire up your code editor, and start building! With Rails as your foundation, you’re well on your way to creating a flexible, powerful headless CMS that can grow and adapt with your needs. Happy coding!
 
  
  
  
  
  
 