1

由于我是 Rails 新手,可能有一个简单的解决方案。但我什至无法在某个地方找到这个确切的问题。其他帖子处理破坏与删除(我都尝试了相同的结果),或者只是不提及关联对象的行为方式。

我的问题:我想通过 :through 创建一个多对多关联。当我删除一个关联(即关系对象,而不是相关对象)时,我希望在关联对象的所有模型实例中删除(更新)该关联。但这并没有完全发生。

我的例子:

Meeting < ActiveRecord::Base
  has_many :participations
  has_many :users, :through => :participations

User < ActiveRecord::Base
  has_many :participations
  has_many :meetings, :through => :participations

Participation < ActiveRecord::Base
  belongs_to :meeting, :foreign_key => :meeting_id
  belongs_to :user, :foreign_key => :user_id

当我创建一个新关联时,关联的对象会相应地更新:

u = User.find(...)
m = Meeting.find(...)
m.users<< u

以这种方式创建关联时也是如此:

m.participations.create(:user_id => u.id)  # this requires to make the user_id attribute accessible

当我现在查看关联的用户模型实例时,它已按预期更新:

u.meetings >> contains the newly created association to the meeting m

当我销毁(而不是删除!)这个关联时,关联的对象不会像我预期的那样更新:

m.users.find_by_user_id(u.id).destroy
m.users >> []
u.meetings >> still contains the destroyed association to meeting m

我原以为 u.meetings 已更新且为空 ([])。添加验证无助于解决此问题:

Meeting < ActiveRecord::Base
  validates_associated :contacts
or
Participation < ActiveRecord::Base
  validates_presence_of :contact, :interview

我做错了什么或者我在这里错过了什么?

我正在使用 Rails 3.2.8

感谢所有愿意帮助我的人。

4

3 回答 3

2

你应该这样做:dependent => :destroy

Meeting < ActiveRecord::Base
  has_many :participations, :dependent => :destroy
  has_many :users, :through => :participations

User < ActiveRecord::Base
  has_many :participations, :dependent => :destroy
  has_many :meetings, :through => :participations

Participation < ActiveRecord::Base
  belongs_to :meeting, :foreign_key => :meeting_id
  belongs_to :user, :foreign_key => :user_id

participation如果关联的用户或会议被销毁,这将确保销毁。

于 2012-10-14T12:30:09.393 回答
1

您应该model使用以下关系选项更新您的:

dependent: destroy

这将调用destroy关联的对象。

参考:http ://api.rubyonrails.org/classes/ActiveRecord/Associations/ClassMethods.html#label-Deleting+from+associations

于 2012-10-14T12:27:15.380 回答
0

我想问题可能是这样的。在你的例子中,

m.users.find_by_user_id(u.id).destroy
m.users >> []
u.meetings >> still contains the destroyed association to meeting m

u并且u.meetings之前已经加载过m.users.find_by_user_id(u.id).destroy。然后u.meetings输出缓存的数据。

您可以尝试u.meetings(true)u.reload; u.meetings查看是否有任何区别。

于 2012-10-14T12:44:21.257 回答