如何命名两条记录之间的关系?

时间:2015-11-17 08:03:17

标签: ruby-on-rails ruby associations

我们说我有一个模型Movie。电影可以通过中间模型AssociatedMovie互相拥有。

如何指定两部电影之间关系的性质?对于任何给定的电影,这种关系可能是前传/续集,或重拍/原创,或启发/启发,或相关/相关等。现在,我无法给出关系名称。

这是我的架构和关联:

create_table "movies", force: true do |t|
  t.string   "title"
end

create_table "associated_movies", force: true do |t|
  t.integer  "movie_a_id"
  t.integer  "movie_b_id"
end


class Movie < ActiveRecord::Base
  has_many :movies, :through => :associated_movies
end

class AssociatedMovie < ActiveRecord::Base
  has_many :movies
end

以下是设置每部电影相关电影的查询:

def movie_associated_movies
  associated_movie_ids = AssociatedMovie.
      where("movie_a_id = ? OR movie_b_id = ?", self.id, self.id).
      map { |r| [r.movie_a_id, r.movie_b_id] }.
      flatten - [self.id]
  Movie.where(id: associated_movie_ids)
end

我想我可能需要将movie_a_typemovie_b_type属性添加到AssociatedMovie。但我不确定如何指定哪种类型的电影附加到哪种类型。

有人有什么想法吗?

1 个答案:

答案 0 :(得分:1)

您已经在has_many :through中途(使用中间模型) - 这允许您添加任意数量的额外属性。

我认为你的问题取决于你的人际关系,我将在下面解释:

#app/models/movie.rb
class Movie < ActiveRecord::Base
   has_many :associated_movies, foreign_key: :movie_a_id
   has_many :movies, through: :associated_movies, foreign_key: :movie_b_id
end

#app/models/associated_movie.rb
class AssociatedMovie < ActiveRecord::Base
   belongs_to :movie_a, class_name: "Movie"
   belongs_to :movie_b, class_name: "Movie"
end

以上内容可让您访问:

@movie = Movie.find params[:id]
@movie.associated_movies #-> collection of records with movie_a and movie_b

@movie.movies #-> all the movie_b objects

-

由于您正在使用has_many :throughrather than has_and_belongs_to_many,因此您可以自由地根据需要为您的加入模型添加任意数量的属性:

enter image description here

为此,您只需添加迁移:

$ rails g migration AddNewAttributes

#db/migrate/add_new_attributes_________.rb
class AddNewAttributes < ActiveRecord::Migration
   def change
      add_column :associated_movies, :relationship_id, :id
   end
end

$ rake db:migrate

-

...如果这有点偏离,我道歉;但是我实际上会为你的关系添加一个单独的模型(考虑到你预定了它们):

#app/models/relationship.rb
class Relationship < ActiveRecord::Base
    #columns id | movie_a_type | movie_b_type | created_at | updated_at
    has_many :associated_movies
end

#app/models/associated_movie.rb
class AssociatedMovie < ActiveRecord::Base
    belongs_to :movie_a, class_name: "Movie"
    belongs_to :movie_b, class_name: "Movie"

    belongs_to :relationship
    delegate :movie_a_type, :movie_b_type, to: :relationship
end

这可能看起来有点臃肿(确实如此),但它会提供可扩展性。

您必须添加另一个表格,但它最终会让您调用以下内容:

@movie.associated_movies.each do |associated|
   associated.movie_a #-> current movie
   associated.movie_b #-> related movie
   associated.movie_a_type #-> "Original"
   associated.movie_b_type #-> "Sequel"
end

然后,您可以使用您拥有的各种关系预先填充Relationship模型。

我可以根据需要添加答案。