107 lines
2.8 KiB
Ruby
107 lines
2.8 KiB
Ruby
#---
|
|
# Excerpted from "Agile Web Development with Rails",
|
|
# published by The Pragmatic Bookshelf.
|
|
# Copyrights apply to this code. It may not be used to create training material,
|
|
# courses, books, articles, and the like. Contact us if you are in doubt.
|
|
# We make no guarantees that this code is fit for any purpose.
|
|
# Visit http://www.pragmaticprogrammer.com/titles/rails4 for more book information.
|
|
#---
|
|
class LineItemsController < ApplicationController
|
|
skip_before_filter :authorize, only: :create
|
|
|
|
# GET /line_items
|
|
# GET /line_items.json
|
|
def index
|
|
@line_items = LineItem.all
|
|
|
|
respond_to do |format|
|
|
format.html # index.html.erb
|
|
format.json { render json: @line_items }
|
|
format.xml { render xml: @line_items }
|
|
end
|
|
end
|
|
|
|
# GET /line_items/1
|
|
# GET /line_items/1.json
|
|
def show
|
|
@line_item = LineItem.find(params[:id])
|
|
|
|
respond_to do |format|
|
|
format.html # show.html.erb
|
|
format.json { render json: @line_item }
|
|
end
|
|
end
|
|
|
|
# GET /line_items/new
|
|
# GET /line_items/new.json
|
|
def new
|
|
@line_item = LineItem.new
|
|
|
|
respond_to do |format|
|
|
format.html # new.html.erb
|
|
format.json { render json: @line_item }
|
|
end
|
|
end
|
|
|
|
# GET /line_items/1/edit
|
|
def edit
|
|
@line_item = LineItem.find(params[:id])
|
|
end
|
|
|
|
# POST /line_items
|
|
# POST /line_items.json
|
|
def create
|
|
@cart = current_cart
|
|
if params[:line_item]
|
|
# ActiveResource
|
|
params[:line_item][:order_id] = params[:order_id]
|
|
@line_item = LineItem.new(params[:line_item])
|
|
else
|
|
# HTML forms
|
|
product = Product.find(params[:product_id])
|
|
@line_item = @cart.add_product(product.id)
|
|
end
|
|
@line_item.product = product
|
|
|
|
respond_to do |format|
|
|
if @line_item.save
|
|
format.html { redirect_to store_url }
|
|
format.js { @current_item = @line_item }
|
|
format.json { render json: @line_item,
|
|
status: :created, location: @line_item }
|
|
else
|
|
format.html { render action: "new" }
|
|
format.json { render json: @line_item.errors,
|
|
status: :unprocessable_entity }
|
|
end
|
|
end
|
|
end
|
|
|
|
# PUT /line_items/1
|
|
# PUT /line_items/1.json
|
|
def update
|
|
@line_item = LineItem.find(params[:id])
|
|
|
|
respond_to do |format|
|
|
if @line_item.update_attributes(params[:line_item])
|
|
format.html { redirect_to @line_item, notice: 'Line item was successfully updated.' }
|
|
format.json { head :no_content }
|
|
else
|
|
format.html { render action: "edit" }
|
|
format.json { render json: @line_item.errors, status: :unprocessable_entity }
|
|
end
|
|
end
|
|
end
|
|
|
|
# DELETE /line_items/1
|
|
# DELETE /line_items/1.json
|
|
def destroy
|
|
@line_item = LineItem.find(params[:id])
|
|
@line_item.destroy
|
|
|
|
respond_to do |format|
|
|
format.html { redirect_to line_items_url }
|
|
format.json { head :no_content }
|
|
end
|
|
end
|
|
end
|