评论多个模型

时间:2014-02-25 20:21:08

标签: ruby-on-rails ruby ruby-on-rails-4 crud

在我的rails应用程序中,我目前有评论设置可以使用我的帖子模型,它正常运行。如何在我的图书模型中添加评论?

这是我到目前为止所做的:

以下是我的架构中的评论内容:

 create_table "comments", force: true do |t|
    t.text     "body"
    t.datetime "created_at"
    t.datetime "updated_at"
    t.integer  "user_id"
    t.integer  "post_id"
    t.integer  "book_id"
  end

在我的用户模型中:

class User < ActiveRecord::Base
  has_many :comments
  acts_as_voter
end

在我的帖子模型中:

class Post < ActiveRecord::Base
  has_many :comments
end

在我的书模型中:

class Book < ActiveRecord::Base
  has_many :comments
end

在我的评论模型中:

class Comment < ActiveRecord::Base
  belongs_to :post
  belongs_to :book
  belongs_to :user
  acts_as_votable
end

在我的评论控制器中:

class CommentsController < ApplicationController
  def create
    post.comments.create(new_comment_params) do |comment|
      comment.user = current_user
    end
    respond_to do |format|
    format.html {redirect_to post_path(post)}
    end
  end


  def upvote
  @post = Post.find(params[:post_id])
  @comment = @post.comments.find(params[:id])
  @comment.liked_by current_user

  respond_to do |format|
        format.html {redirect_to @post}
    end
end


  private

  def new_comment_params
    params.require(:comment).permit(:body)
  end

  def post
    @post = Post.find(params[:post_id])
  end

end

在我的路线档案中:

resources :posts do
    resources :comments do
    member do
      put "like", to: "comments#upvote"
    end
  end
  end

在我看来:

<% @post.comments.each do |comment| %>
  <%= comment.body  %>

  <% if user_signed_in? && (current_user != comment.user) && !(current_user.voted_for? comment) %>

<%= link_to “up vote”, like_post_comment_path(@post, comment), method: :put %>

<%= comment.votes.size %>

<% else %>

<%= comment.votes.size  %></a>

<% end %>
<% end %>


<br />


<%= form_for([@post, @post.comments.build]) do |f| %>

  <p><%= f.text_area :body, :cols => "80", :rows => "10" %></p>

  <p><%= f.submit “comment” %></p>

<% end %>

我应该在评论控制器中添加哪些内容,以便对帖子和图书进行评论?我将什么添加到我的路线文件中?

提前感谢您的帮助。

1 个答案:

答案 0 :(得分:10)

您不希望指定可以容纳Comment个对象的每种类型的对象。这造成了整个地方if-elsif-else块的头痛。相反,您希望事物为Commentable,并且它们都会.comments

这在Active Record中称为polymorphic association。所以你会让你的模型像:

class Comment < ActiveRecord::Base
  belongs_to :commentable, polymorphic: true
end

class Post < ActiveRecord::Base
  has_many :comments, as: :commentable
end

class Book < ActiveRecord::Base
  has_many :comments, as: :commentable
end

并相应地修改您的数据库,这些都在链接的文章中。现在,当您为表单构建Comment对象时,它将预先填充commentable_idcommentable_type,您可以将其隐藏在隐藏字段中。现在与Comment相关联并不重要,您始终将其视为相同。

我将User作为一个单独的关联,因为它的想法并不相同。