Rails:与has_and_belongs_to_many的自联接方案?

时间:2013-11-04 15:17:51

标签: ruby-on-rails self-join

我想创建一个Users的结构,其中包含许多friends,同时也包含User类:

class User < ActiveRecord::Base
  has_and_belongs_to_many :friends, class_name: "User"
end

我不需要他们关系的任何细节,因此我不使用:throughFriendship。但是现在我找不到任何方法来创建相应的数据库(既不使用迁移文件也不使用rails g model User username:string ...命令)。有什么想法吗?

1 个答案:

答案 0 :(得分:35)

以下是一些可能有用的资源:

我将总结这些链接中的信息:

鉴于您正在描述自引用的多对多关系,您当然最终会得到一个连接表。通常情况下,连接表应该以Rails自动确定表格加入的模型的方式有意识地命名,但是“自引用”部分使这有点尴尬,但并不困难。您只需指定连接表的名称以及连接列。

您需要使用可能如下所示的迁移创建此表:

class CreateFriendships < ActiveRecord::Migration
  def self.up
    create_table :friendships, id: false do |t|
      t.integer :user_id
      t.integer :friend_user_id
    end

    add_index(:friendships, [:user_id, :friend_user_id], :unique => true)
    add_index(:friendships, [:friend_user_id, :user_id], :unique => true)
  end

  def self.down
      remove_index(:friendships, [:friend_user_id, :user_id])
      remove_index(:friendships, [:user_id, :friend_user_id])
      drop_table :friendships
  end
end

我不确定是否有创建此表的快捷方式,但至少可以执行rails g migration create_friendships,并填写self.upself.down方法。< / p>

最后在您的用户模型中,您只需添加连接表的名称,如下所示:

class User < ActiveRecord::Base
  has_and_belongs_to_many :friends, 
              class_name: "User", 
              join_table: :friendships, 
              foreign_key: :user_id, 
              association_foreign_key: :friend_user_id
end

如您所见,虽然数据库中有连接表,但没有相关的连接模型。

请告诉我这是否适合您。