在Rails4中添加子类别

时间:2013-08-14 16:54:22

标签: ruby-on-rails ruby-on-rails-3 migration ruby-on-rails-4 categories

我有很多主要类别,并希望添加到每个子类别.->

主要类别
   - 子类别
   - 子类别
   - 子类别

主要类别
   - 子类别
   - 子类别
   - 子类别

很多人建议我使用宝石,但由于我对Rails相当陌生,我宁愿自己学习如何做到这一点,也要学习所有这些。

我应该从Scaffold开始还是仅以Model开始?

有人可以解释一下如何开始(迁移等)以及如何设置它?

谢谢。

1 个答案:

答案 0 :(得分:6)

您必须使用rails g model category生成新模型,然后在db/migrate中编辑文件生成并编写此

class CreateCategories < ActiveRecord::Migration
    def change
        create_table :categories do |t|
            t.belongs_to :category
            t.string :name, :null => false
            t.timestamps
        end
    end
end

并修改app/models/category.rb

class Category < ActiveRecord::Base

    belongs_to :category
    has_many :children, :dependent => :destroy, :class_name => 'Category'

end

您必须执行rake db:migrate才能在数据库中创建表。

编辑:

在app / controllers / categories_controller.rb

class CategoriesController < ApplicationController

    def index
        @categories = Category.all
    end

    def new
        @category = Category.new
    end

    def edit
        @category = Category.find(params[:id])
    end

    def create
        @category = Category.new(params[:category].permit!)
        if @category.save
            redirect_to categories_url
        else
            render :new
        end
    end

    def update
        @category = Category.find(params[:id])
        if @category.update_attributes(params[:category].permit!)
            redirect_to categories_url
        else
            render :edit
        end
    end

    def destroy
        Category.destroy(params[:id])
        redirect_to categories_url
    end

end

您的类别的表单:

<%= form_for @category do |f| %>

    <%= f.text_field :name %>
    <%= f.select :category_id, options_from_collection_for_select(Category.all, :id, :name, @category.category_id), :include_blank => true %>

    <%= f.submit %>

<% end %>