Reputation: 45
I've got a Quote
model in my application. I have several quotes in the database. I want to display a random quote from Quote.all on my home page whenever the user refreshes it.
What do I need to put in the controller to be able to do this?
index.html.erb
<% for quote in @quotes %> ## this currently displays every quote in the databse
<blockquote>
"<%= "#{quote.body}" %>"
<small><%= quote.author %></small>
</blockquote>
Here's my quotes controller:
class QuotesController < ApplicationController
before_action :set_quote, only: [:show, :edit, :update, :destroy]
# GET /quotes
# GET /quotes.json
def index
@quotes = Quote.all.order("created_at DESC")
end
# GET /quotes/1
# GET /quotes/1.json
def show
end
# GET /quotes/new
def new
@quote = Quote.new
end
# GET /quotes/1/edit
def edit
end
# POST /quotes
# POST /quotes.json
def create
@quote = Quote.new(quote_params)
respond_to do |format|
if @quote.save
format.html { redirect_to @quote, notice: 'Quote was successfully created.' }
format.json { render action: 'show', status: :created, location: @quote }
else
format.html { render action: 'new' }
format.json { render json: @quote.errors, status: :unprocessable_entity }
end
end
end
# PATCH/PUT /quotes/1
# PATCH/PUT /quotes/1.json
def update
respond_to do |format|
if @quote.update(quote_params)
format.html { redirect_to @quote, notice: 'Quote was successfully updated.' }
format.json { head :no_content }
else
format.html { render action: 'edit' }
format.json { render json: @quote.errors, status: :unprocessable_entity }
end
end
end
# DELETE /quotes/1
# DELETE /quotes/1.json
def destroy
@quote.destroy
respond_to do |format|
format.html { redirect_to quotes_url }
format.json { head :no_content }
end
end
private
# Use callbacks to share common setup or constraints between actions.
def set_quote
@quote = Quote.find(params[:id])
end
# Never trust parameters from the scary internet, only allow the white list through.
def quote_params
params.require(:quote).permit(:body, :author)
end
end
Upvotes: 0
Views: 351
Reputation: 10416
You can use an SQL random order
@quote = Quote.order("RAND()").first
Upvotes: 1
Reputation: 6078
Just fetch a random Quote
record and assign it to an instance variable you can then use in your views:
quote = Quote.first(offset: rand(Quote.count))
Upvotes: 2