提问人:OuttaSpaceTime 提问时间:3/18/2021 最后编辑:OuttaSpaceTime 更新时间:3/19/2021 访问量:59
使用collection_select通过has_many保存预订中两个班级的 ID,并且belongs_to关联在保存时会抛出错误“必须存在”
Using collection_select for saving ID of two classes in a booking through has_many and belongs_to association throws error 'must exist' when saving
问:
我正在为学习 rails 构建一个简单的预订应用程序。我为人、车和预订搭建了脚手架。
现在,当我尝试创建预订时,我得到
2 个错误导致此预订无法保存:
- 人必须存在
- 汽车必须存在
法典
car.rb
class Car < ApplicationRecord
has_many :bookings
def brand_with_licence_plate
"#{brand} #{licence_plate}"
end
end
person.rb
class Person < ApplicationRecord
has_many :bookings
def complete_name
"#{first_name} #{last_name}"
end
end
bookings.rb
class Booking < ApplicationRecord
belongs_to :Person
belongs_to :Car
end
我添加了 ID 的列,如下所示:
class AddItemsToBookings < ActiveRecord::Migration[6.1]
def self.up
add_column :bookings, :car_id, :integer
add_column :bookings, :person_id, :integer
end
end
我添加了以下内容_form.html.erb
<div class="field">
<%= form.label :Person %>
<%= form.collection_select(:person_id, Person.all, :id, :complete_name) %>
</div>
<div class="field">
<%= form.label :Car %>
<%= form.select :car_id, options_from_collection_for_select(Car.all, 'id','brand_with_licence_plate') %>
</div>
并添加到bookings_controller.rb
def booking_params
params.require(:booking).permit(:start, :end, :person_id, :car_id)
end
我看过这里并试图更改为一个答案中所述,但给了我同样的错误。<%= form.select :car_id, options_from_collection_for_select(Car.all, 'id', 'brand_with_licence_plate') %>
当我查看文档时,一切似乎也很好。
似乎我在这里缺少一些基本的东西。任何如何解决此问题的想法都是值得赞赏的。
更新:
我删除了整数 id 列并运行了新的迁移
class AddReferencesToBookingForPersonAndCar < ActiveRecord::Migration[6.1]
def change
add_reference :bookings, :people, foreign_key: true
add_reference :bookings, :cars, foreign_key: true
end
end
并调整了参数的权限。
答:
1赞
Paulo Abreu
3/18/2021
#1
你的代码在我看来不行。我会像这样改变它:
class Booking < ApplicationRecord
belongs_to :person
belongs_to :car
end
主要是,人和汽车是小写的。另外,我注意到在您的迁移中,您以复数形式创建汽车。它应该是:
class AddReferencesToBookingForPersonAndCar < ActiveRecord::Migration[6.1]
def change
add_reference :bookings, :person, foreign_key: true
add_reference :bookings, :car, foreign_key: true
end
end
belongs_to :car 需要car_id,看起来迁移正在创建一个cars_id。
如果您发布完整的控制器代码,则更容易提供更多帮助。
评论
0赞
Paulo Abreu
3/18/2021
看来你想通过预订来链接汽车和人。如果这是正确的,则has_many关系不正确。通过轨道指南看到多对多。
1赞
OuttaSpaceTime
3/18/2021
谢谢它像你建议的那样工作,只是我不得不把人也换成单数。
评论