我是Rails的初学者。我现在正在学习使用“Beginning Rails 4”这本书。我想问你关于传递给params方法的'参数'。以下是典型的轨道控制器之一。
class CommentsController < ApplicationController
before_action :load_article
def create
@comment = @article.comments.new(comment_params)
if @comment.save
redirect_to @article, notice: 'Thanks for your comment'
else
redirect_to @article, alert: 'Unable to add comment'
end
end
def destroy
@comment = @article.comments.find(params[:id])
@comment.destroy
redirect_to @article, notice: 'Comment Deleted'
end
private
def load_article
@article = Article.find(params[:article_id])
end
def comment_params
params.require(:comment).permit(:name, :email, :body)
end
end
是的,这只是一个典型的评论控制器,用于创建附加到文章的评论。评论模型“属于”文章模型,文章模型“有很多”评论。
看一下destroy方法。
def destroy
@comment = @article.comments.find(params[:id])
-- snip --
end
它通过find(params [:id])找到与文章相关的评论。我的问题是,params [:id]来自哪里?
它来自网址吗?或者,当创建任何评论记录时,rails会自动保存params散列吗?所以我们可以通过find找到任何评论(params [:id])?
load_article方法类似。
def load_article
@article = Article.find(params[:article_id])
end
它通过params [:article_id]找到一篇文章。这个参数[:article_id]来自哪里? rails如何找到这篇文章?
答案 0 :(得分:5)
params[:id]
是唯一标识Rails应用程序中(RESTful)资源的字符串。它位于资源名称后面的URL中。
例如,对于名为my_model
的资源,GET
请求应与myserver.com/my_model/12345
之类的网址相对应,其中12345
是标识的params[:id]
my_model
的特定实例。其他HTTP请求(PUT,DELETE等)及其RESTful对应的类比也是如此。
如果您对这些概念和术语感到困惑,您应该阅读Rails routing及其对RESTful架构的解释。
答案 1 :(得分:2)
params[:id]
确实来自网址。在路由文件中使用resources
时,Rails将自动为您生成标准REST路由。在您的destroy
示例中,通常是/comments/:id
使用DELETE
HTTP方法的请求,其中:id
已添加到params
哈希,即params[:id]
。