71 lines
2.0 KiB
Ruby
71 lines
2.0 KiB
Ruby
class SuggestionsController < ApplicationController
|
|
before_action :set_suggestion, only: %i[ show edit update destroy ]
|
|
|
|
# GET /suggestions or /suggestions.json
|
|
def index
|
|
@suggestions = Suggestion.all
|
|
end
|
|
|
|
# GET /suggestions/1 or /suggestions/1.json
|
|
def show
|
|
end
|
|
|
|
# GET /suggestions/new
|
|
def new
|
|
@suggestion = Suggestion.new
|
|
end
|
|
|
|
# GET /suggestions/1/edit
|
|
def edit
|
|
end
|
|
|
|
# POST /suggestions or /suggestions.json
|
|
def create
|
|
@suggestion = Suggestion.new(suggestion_params)
|
|
|
|
respond_to do |format|
|
|
if @suggestion.save
|
|
format.html { redirect_to suggestion_url(@suggestion), notice: "Suggestion was successfully created." }
|
|
format.json { render :show, status: :created, location: @suggestion }
|
|
else
|
|
format.html { render :new, status: :unprocessable_entity }
|
|
format.json { render json: @suggestion.errors, status: :unprocessable_entity }
|
|
end
|
|
end
|
|
end
|
|
|
|
# PATCH/PUT /suggestions/1 or /suggestions/1.json
|
|
def update
|
|
respond_to do |format|
|
|
if @suggestion.update(suggestion_params)
|
|
format.html { redirect_to suggestion_url(@suggestion), notice: "Suggestion was successfully updated." }
|
|
format.json { render :show, status: :ok, location: @suggestion }
|
|
else
|
|
format.html { render :edit, status: :unprocessable_entity }
|
|
format.json { render json: @suggestion.errors, status: :unprocessable_entity }
|
|
end
|
|
end
|
|
end
|
|
|
|
# DELETE /suggestions/1 or /suggestions/1.json
|
|
def destroy
|
|
@suggestion.destroy!
|
|
|
|
respond_to do |format|
|
|
format.html { redirect_to suggestions_url, notice: "Suggestion was successfully destroyed." }
|
|
format.json { head :no_content }
|
|
end
|
|
end
|
|
|
|
private
|
|
# Use callbacks to share common setup or constraints between actions.
|
|
def set_suggestion
|
|
@suggestion = Suggestion.find(params[:id])
|
|
end
|
|
|
|
# Only allow a list of trusted parameters through.
|
|
def suggestion_params
|
|
params.require(:suggestion).permit(:subject, :body, :sent)
|
|
end
|
|
end
|