はじめに
モデル間の関連付けについてまとめます
基本の命名規約
・外部キーのカラム名は「参照先のモデル名を単数系にしたもの」+「_id」
・belong_toに指定する名前は、モデル名の単数系
・has_manyに指定する名前は、モデル名の複数形
実際の書き方
car.rb
class Cser < ApplicationRecord
has_many :wheels
end
wheel.rb
class Wheel < ApplicationRecord
belongs_to :car
end
外部キーを変更したいとき
foreign_keyオプションを使用する
foreign_key: "変更したいカラム名"
car.rb
class Cser < ApplicationRecord
has_many :engines, foreign_key: "vehicle_code"
end
engine.rb
class Engine < ApplicationRecord
belongs_to :car
end
通常パターンはengineモデルにのみcar_id
が存在する
今回のパターンでは両方のモデルにvehicle_code
カラムが存在するということ
関連付けで使われるメソッド名を変更したいとき
class_nameオプションを使用する
class_name: 変更したいメソッド名
car.rb
class Cser < ApplicationRecord
has_many :engines, class_name: "Motor"
end
実際の使い方
car = Car.first
motors = car.motors
マイグレーションファイル
referencesメソッドは指定されたシンボルに「_id」を加えた名前で整数型のカラムを追加する
t.references :member
はt.integer :member_id
と書いても同じことですが、referencesメソッドを使用することでこのカラムが外部キーであることを明示できる
実際の書き方
db/migrate/20230702133134_create_entries.rb
class CreateEntries < ActiveRecord::Migration[6.1]
def change
create_table :entries do |t|
t.references :member, null: false # 外部キー
t.string :title, null: false # タイトル
t.text :body # 本文
~省略~
t.timestamps
end
end
end