チャットベースのAIツールを使用することで、説明を自動生成するだけでなくドキュメントなどの長い文章を生成することができるようになります。例えば、GitHub Copilot Chat を活用することで、コード全体の概要説明や API ドキュメントを生成したり、またそれをコードの中に埋め込んだ状態でコードごと出力させる事ができるようになります。
class RecipesController < ApplicationController
before_action :set_recipe, only: [:show, :edit, :update, :destroy]
# GET /recipes
# GET /recipes.json
def index
@recipes = Recipe.all
end
# GET /recipes/1
# GET /recipes/1.json
def show
end
# GET /recipes/new
def new
@recipe = Recipe.new
end
# GET /recipes/1/edit
def edit
end
# POST /recipes
# POST /recipes.json
def create
@recipe = Recipe.new(recipe_params)
respond_to do |format|
if @recipe.save
format.html { redirect_to @recipe, notice: 'Recipe was successfully created.' }
format.json { render :show, status: :created, location: @recipe }
else
format.html { render :new }
format.json { render json: @recipe.errors, status: :unprocessable_entity }
end
end
end
# PATCH/PUT /recipes/1
# PATCH/PUT /recipes/1.json
def update
respond_to do |format|
if @recipe.update(recipe_params)
format.html { redirect_to @recipe, notice: 'Recipe was successfully updated.' }
format.json { render :show, status: :ok, location: @recipe }
else
format.html { render :edit }
format.json { render json: @recipe.errors, status: :unprocessable_entity }
end
end
end
# DELETE /recipes/1
# DELETE /recipes/1.json
def destroy
@recipe.destroy
respond_to do |format|
format.html { redirect_to recipes_url, notice: 'Recipe was successfully destroyed.' }
format.json { head :no_content }
end
end
private
# Use callbacks to share common setup or constraints between actions.
def set_recipe
@recipe = Recipe.find(params[:id])
end
# Never trust parameters from the scary internet, only allow the white list through.
def recipe_params
params.require(:recipe).permit(:title, :instructions)
end
end
## RecipesController
RecipesControllerは、レシピの作成、表示、編集、削除などの操作を提供します。
### アクション
#### `index`
- 説明: レシピのリストを取得します。
- メソッド: GET
- パス: `/recipes`
- レスポンス: レシピのリスト
#### `show`
- 説明: 特定のレシピに関する詳細情報を取得します。
- メソッド: GET
- パス: `/recipes/:id`
- パラメータ: `id` - レシピのID
- レスポンス: レシピの詳細情報
#### `new`
- 説明: 新しいレシピの作成画面を表示します。
- メソッド: GET
- パス: `/recipes/new`
#### `edit`
- 説明: 特定のレシピの編集画面を表示します。
- メソッド: GET
- パス: `/recipes/:id/edit`
- パラメータ: `id` - レシピのID
#### `create`
- 説明: 新しいレシピを作成します。
- メソッド: POST
- パス: `/recipes`
- パラメータ: `recipe` - レシピの情報
- レスポンス: 作成されたレシピの詳細情報
#### `update`
- 説明: 特定のレシピを更新します。
- メソッド: PATCH/PUT
- パス: `/recipes/:id`
- パラメータ: `id` - レシピのID, `recipe` - 更新情報
- レスポンス: 更新されたレシピの詳細情報
#### `destroy`
- 説明: 特定のレシピを削除します。
- メソッド: DELETE
- パス: `/recipes/:id`
- パラメータ: `id` - レシピのID
- レスポンス: 削除されたレシピの詳細情報
Checklist for Further Learning