Rails has_many through form with checkboxes and extra field in the join model

后端 未结 3 1910
长情又很酷
长情又很酷 2020-12-01 03:08

I\'m trying to solve a pretty common (as I thought) task.

There\'re three models:

class Product < ActiveRecord::Base  
  validates :name, presence         


        
3条回答
  •  無奈伤痛
    2020-12-01 03:37

    Looks like I figured it out! Here's what I got:

    My models:

    class Product < ActiveRecord::Base
      has_many :categorizations, dependent: :destroy
      has_many :categories, through: :categorizations
    
      accepts_nested_attributes_for :categorizations, allow_destroy: true
    
      validates :name, presence: true
    
      def initialized_categorizations # this is the key method
        [].tap do |o|
          Category.all.each do |category|
            if c = categorizations.find { |c| c.category_id == category.id }
              o << c.tap { |c| c.enable ||= true }
            else
              o << Categorization.new(category: category)
            end
          end
        end
      end
    
    end
    
    class Category < ActiveRecord::Base
      has_many :categorizations, dependent: :destroy
      has_many :products, through: :categorizations
    
      validates :name, presence: true
    end
    
    class Categorization < ActiveRecord::Base
      belongs_to :product
      belongs_to :category
    
      validates :description, presence: true
    
      attr_accessor :enable # nice little thingy here
    end
    

    The form:

    <%= form_for(@product) do |f| %>
      ...
      
    <%= f.label :name %>
    <%= f.text_field :name %>
    <%= f.fields_for :categorizations, @product.initialized_categorizations do |builder| %> <% category = builder.object.category %> <%= builder.hidden_field :category_id %>
    <%= builder.label :enable, category.name %> <%= builder.check_box :enable %>
    <%= builder.label :description %>
    <%= builder.text_field :description %>
    <% end %>
    <%= f.submit %>
    <% end %>

    And the controller:

    class ProductsController < ApplicationController
      # use `before_action` instead of `before_filter` if you are using rails 5+ and above, because `before_filter` has been deprecated/removed in those versions of rails.
      before_filter :process_categorizations_attrs, only: [:create, :update]
    
      def process_categorizations_attrs
        params[:product][:categorizations_attributes].values.each do |cat_attr|
          cat_attr[:_destroy] = true if cat_attr[:enable] != '1'
        end
      end
    
      ...
    
      # all the rest is a standard scaffolded code
    
    end
    

    From the first glance it works just fine. I hope it won't break somehow.. :)

    Thanks all. Special thanks to Sandip Ransing for participating in the discussion. I hope it will be useful for somebody like me.

提交回复
热议问题