1

我正在尝试遵循 RailsGuides,http ://edgeguides.rubyonrails.org/getting_started.html

现在,在我应该能够在我的博客站点中添加评论的第 6.4 节中,我遇到了这个错误:

NoMethodError in Posts#show
Showing C:/Sites/blog/app/views/posts/show.html.erb where line #12 raised: </br>
undefined method `comments' for #<Post:0x3a99668

下面是我的 show.html.erb 中的片段

<h2>Add a comment:</h2>
<%= form_for([@post, @post.comments.build]) do |f| %>
 <p>
   <%= f.label :commenter %><br>
   <%= f.text_field :commenter %>

下面是我的评论控制器的片段:

class CommentsController < ApplicationController  
  def create
    @post = Post.find(params[:post_id])
    @comment = @post.comments.create(comment_params)
    redirect_to post_path(@post)
  end

  private
    def comment_params
      params.require(:comment).permit(:commenter, :body)
    end
end

下面是我的帖子控制器:

class PostsController < ApplicationController
def new
     @post = Post.new
end

def create
    @post = Post.new(params[:post].permit(:title, :text))

    if @post.save
        redirect_to @post
    else
        render 'new'
    end
end

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

def index
    @posts = Post.all
end

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

def update
    @post = Post.find(params[:id])

    if @post.update(params[:post].permit(:title, :text))
        redirect_to @post
    else
        render 'edit'
    end
 end

 def destroy
      @post = Post.find(params[:id])
      @post.destroy

      redirect_to posts_path
     end

private
  def post_params
    params.require(:post).permit(:title, :text)
  end
end

请帮帮我谢谢。

-aguds

4

1 回答 1

0

它在说

第 12 行提出: #< Post:0x3a99668 >的未定义方法 `comments' ”

这意味着在您的 show.html.erb 的第 12 行中,您正在对 Post 对象调用comments方法,但该方法未定义。

因此,您需要在 Post 类中检查是否存在以下关系。

应用程序/模型/post.rb

has_many :comments

添加新模型后,服务器需要重新启动。(您添加了评论。)

这里的一般经验法则是对 app/ 或 config/routes.rb 之外的任何内容进行更改都需要重新启动。

参考:我什么时候需要在 Rails 中重新启动服务器?

于 2013-08-18T19:13:10.163 回答