试图找出文件中_comment.html.erb
编辑路径。
不断收到此错误:
ActiveRecord::RecordNotFound in CommentsController#edit
Couldn't find Article with 'id'=#<Comment::ActiveRecord_Associations_CollectionProxy:0x007fcac37359e8>
不知道如何弄清楚如何编写正确的路径。
注释控制器
class CommentsController < ApplicationController
def create
@article = Article.find(params[:article_id])
@comment = @article.comments.create(comment_params)
redirect_to article_path(@article)
end
def show
@article = Article.find(params[:article_id])
@comment = @article.comments.find(params[:id])
end
def edit
@article = Article.find(params[:article_id])
@comment = @article.comments.find(params[:id])
end
def destroy
@article = Article.find(params[:article_id])
@comment = @article.comments.find(params[:id])
@comment.destroy
redirect_to article_path(@article)
end
private
def comment_params
params.require(:comment).permit(:commenter, :body)
end
end
_comment.html.erb
<p>
<strong>Commenter:</strong>
<%= comment.commenter %>
</p>
<p>
<strong>Comment:</strong>
<%= comment.body %>
</p>
<p>
<%= link_to 'Edit', edit_article_comment_path(@article.comments, comment) %>
</p>
<p>
<%= link_to 'Show', [comment.article, comment] %>
</p>
<p>
<%= link_to 'Destroy Comment', [comment.article, comment],
method: :delete,
data: { confirm: 'Are you sure?' } %>
</p>
路线
resources :articles do
resources :comments
end
如何编写正确的路径?
另外,我之前的路径是这样的:
<%= link_to 'Edit', edit_article_comment_path(@article, comment) %>
但它会打开一个空白的编辑表单,即没有一个文本框填写任何内容......因此,为什么我尝试了另一条路。
任何帮助将不胜感激。
谢谢。
评论 _form.html.erb
<%= form_for([@article, @article.comments.build]) do |f| %>
<p>
<%= f.label :commenter %><br>
<%= f.text_field :commenter %>
</p>
<p>
<%= f.label :body %><br>
<%= f.text_area :body %>
</p>
<p>
<%= f.submit %>
</p>
<% end %>
文章显示.html.erb
<p>
<strong>Title:</strong>
<%= @article.title %>
</p>
<p>
<strong>Text:</strong>
<%= @article.text %>
</p>
<h2>Comments</h2>
<%= render @article.comments %>
<h2>Add a comment:</h2>
<%= render 'comments/form' %>
<%= link_to 'Edit', edit_article_path(@article) %> |
<%= link_to 'Back', articles_path %>
_comment.html.erb 中存在问题
<%= link_to 'Edit', edit_article_comment_path(@article.comments, comment) %>
它应该是
<%= link_to 'Edit', edit_article_comment_path(@article, comment) %>
但它会弹出一个空白的编辑表单,即没有一个文本框填写任何内容
您应该检查是否在form_for
中传递了正确的值
<%= form_for [@article, @comment] do |f| %>
编辑2
好吧,问题是您每次都会传递新的注释实例,即使使用编辑操作也是如此。这就是为什么您没有在表单中获得任何值的原因
<%= form_for([@article, @article.comments.build]) do |f| %>
将其更改为
<%= form_for([@article, @comment]) do |f| %>
并确保在new
和edit
CommentsController
动作中或从渲染comments/_form
的任何位置分配@article
和@comment
class CommentsController < ApplicationController
def new
@article = Article.find(params[:article_id])
@comment = @article.comments.new
end
def edit
@article = Article.find(params[:article_id])
@comment = @article.comments.find(params[:id])
end
#...
end