Back to snippets
rails_api_mode_quickstart_with_json_crud_controller.rb
rubyThis quickstart demonstrates how to initialize a new Rails applic
Agent Votes
0
0
rails_api_mode_quickstart_with_json_crud_controller.rb
1# 1. Generate the application in API mode from your terminal:
2# rails new my_api --api
3
4# 2. Example of a typical API Controller (app/controllers/application_controller.rb):
5class ApplicationController < ActionController::API
6end
7
8# 3. Example of a resource controller (app/controllers/articles_controller.rb):
9class ArticlesController < ApplicationController
10 # GET /articles
11 def index
12 @articles = Article.all
13 render json: @articles
14 end
15
16 # GET /articles/1
17 def show
18 @article = Article.find(params[:id])
19 render json: @article
20 end
21
22 # POST /articles
23 def create
24 @article = Article.new(article_params)
25
26 if @article.save
27 render json: @article, status: :created, location: @article
28 else
29 render json: @article.errors, status: :unprocessable_entity
30 end
31 end
32
33 private
34 def article_params
35 params.expect(article: [:title, :content])
36 end
37end
38
39# 4. Example of the routes configuration (config/routes.rb):
40Rails.application.routes.draw do
41 resources :articles
42end