Rails创建/更新带有附加字段的联接表

时间:2019-02-25 22:42:43

标签: ruby-on-rails activerecord ruby-on-rails-5 rails-activerecord

加入表

  • 类别(外键)
  • 产品(外键)
  • 等级(整数)

每次创建/更新时间联接表时,我都必须插入排名位置。

模型

class Category < ApplicationRecord
  has_and_belongs_to_many :products

class Product < ApplicationRecord
  has_and_belongs_to_many :categories

Schema.db

create_table "products_categories", id: false, force: :cascade do |t|
    t.bigint "category_id", null: false
    t.bigint "product_id", null: false
    t.integer "rank"
    t.index ["category_id", "product_id"], name: "index_products_categories_on_category_id_and_product_id"
  end

我知道我可以做到。但是如何传递等级值?

c = Category.find(1)
c.products = array_of_products
c.save

导轨5.2

2 个答案:

答案 0 :(得分:1)

@Sean所述,由于以下原因,您需要使用has_many :through关联:

  

如果需要在连接模型上进行验证,回调或其他属性,则应使用has_many :through。   2.8 Choosing Between has_many :through and has_and_belongs_to_many

例如,要创建一个联接模型rank(对不起,我想出的名字比排名更好)!

# join table migration
class CreateRanks < ActiveRecord::Migration[5.2]
  def change
    create_table :ranks do |t|
      t.references :product
      t.references :category
      t.integer    :rank

      t.timestamps
    end
  end
end

您的型号:

# product.rb
class Product < ApplicationRecord
  has_many :ranks
  has_many :categories, through: :ranks
end

# rank.rb 
class Rank < ApplicationRecord
  belongs_to :product
  belongs_to :category
end

# category.rb
class Category < ApplicationRecord
  has_many :ranks
  has_many :products, through: :ranks
end

因此,您可以按以下方式“批量”创建记录:

Rank.create [
  { category: a, product: x, rank: 1},
  { category: b, product: y, rank: 2}
]

答案 1 :(得分:0)

您需要使用带有显式模型的has_many :association, through: :through_association作为联接模型。这样,您可以存储有关关联本身的数据。