0

伙计们,

我是 Rails 的新手,我觉得我在这里肯定遗漏了一些重要的东西,因为这似乎应该是一个很容易解决的问题。

我已经建立了一个Page模型和一个Coord模型(在入门教程的帮助下),并且Coord成功地belongs_to Page. 我正在尝试应用类似的逻辑来制作另一个模型,Comment属于Coord,并且只属于Pagevia Coord

我是否使用:through(我认为)只需要在一个方向链接的关联?如 Page < Coord < Comment? 目前我有:

class Page < ActiveRecord::Base
  attr_accessible :description, :name
  has_many :coords
  has_many :comments, :through => :coords
end

坐标模型:

class Coord < ActiveRecord::Base
  belongs_to :page
  has_many :comments
  attr_accessible :coordinates, :x, :y
  validates :x, :presence => true
  validates :y, :presence => true
end

然后是评论模型:

class Comment < ActiveRecord::Base
  belongs_to :coord
  belongs_to :page
  attr_accessible :body
end

我仍然不断收到有关comments未定义方法或未定义关联的错误。抱歉,如果这是一个常见问题,我个人不认识任何了解 Rails 的人,并且文档中的示例与我的距离太远(据我所知)。谢谢

编辑:添加数据库架构

ActiveRecord::Schema.define(:version => 20120712170243) do

  create_table "comments", :force => true do |t|
    t.text     "body"
    t.integer  "coord_id"
    t.integer  "page_id"
    t.datetime "created_at", :null => false
    t.datetime "updated_at", :null => false
  end

  add_index "comments", ["coord_id"], :name => "index_comments_on_coord_id"
  add_index "comments", ["page_id"], :name => "index_comments_on_page_id"

  create_table "coords", :force => true do |t|
    t.string   "coordinates"
    t.integer  "x"
    t.integer  "y"
    t.integer  "page_id"
    t.datetime "created_at",  :null => false
    t.datetime "updated_at",  :null => false
  end

  add_index "coords", ["page_id"], :name => "index_coords_on_page_id"

  create_table "pages", :force => true do |t|
    t.string   "name"
    t.string   "description"
    t.datetime "created_at",  :null => false
    t.datetime "updated_at",  :null => false
  end

end
4

1 回答 1

1

class Page < ActiveRecord::Base
  has_many :coords
  has_many :comments, :through => :coords
end

坐标

class Coord < ActiveRecord::Base
  belongs_to :page
  has_many :comments
end

评论

class Comment < ActiveRecord::Base
  belongs_to :coord
  has_one :page, :through => :coord
end

使用上面的,你不需要page_idcomments表中。

参考: Active Record 关联指南

于 2012-07-12T19:17:52.187 回答