从 controller 中读取 request 的参数
参数的来源:
两种:
- url . 例如:
/books?name=三体
- form.
<form action='/foo' method='POST'>
<input type=text name='keyword' />
<input type=submit value='搜索' />
</form>
使用 params 读取参数
读取 url 中的参数
对于请求: GET /books?name= 三
在 controller 中:
def index
name = params[:name]
@books = Books.where("name like '%#{name}%' ")
end
希望知道 params 是什么,就给他打印出来:
# 任何对象在ruby中,都可以通过 inspect 来查看。 极其方便
puts params.inspect
{"name"=>"aaa", "controller"=>"books", "action"=>"index"}
在 form 中,读取参数
- 假设页面有个搜索框: 请输入 书名
<form action='/books' method='GET' >
<input type='text' name='query' />
<input type='submit' value='查询!'/>
</form>
- 在 controller 中,读取参数。
params[:query]
无论是 POST, 还是 GET, 过来的参数,都是一个 hash, 都用 params[:key]
来获取。
puts params.inspect
# => {"query"=>"c", "controller"=>"books", "action"=>"index"}
读取参数并操作数据库
新建
- 小王,打开 “新建页面“
get /books/new # rails 的路由
- 在视图中,创建: app/views/books/new.html.erb
请输入:
<form action='/books' method='POST'>
<input type='text' name='the_name'/>
<input type='submit' value='确定'/>
</form>
- 在 controller 中:
def create
Teacher.create :name => params[:the_name]
render :text => 'ok'
end
- 继续完善 controller:
创建好之后,自动跳转到: /books
def create
Teacher.create :name => params[:the_name]
redirect_to books_path
end
编辑
- 来到编辑页
GET /books/:id/edit (假设 id = 2 )
- 在列表页中, 为每个记录,都增加一个链接:
<% @teachers.each do |teacher| %>
<%= teacher.inspect%> ,
<%= link_to '编辑', edit_book_path( :id => teacher.id )%>
<%= link_to "删除", "/books/#{teacher.id}", :method => 'delete'%>
<br/>
<% end %>
- 增加:
edit action
def edit
@teacher = Teacher.where("id = #{params[:id]}").first
@teacher = Teacher.where("id = ? ", params[:id]).first
@teacher = Teacher.find params[:id]
end
上面的三种写法, 第二种和第三种都可以。 查询一个对象(记录)的话,用: find(id) 查询:一堆的对象的话, 用 where.
- 在 view 中, 增加表单的 默认值: ( 以后我会教大家,使用表单对象 form_for 来简化 )
<input type='text' name='the_name' value='<%= @teacher.name %>'/>
5. 继续修改 view:
<input type='hidden' name='_method' value='put' />
Rails 才会把这个 form 用 对应的 action 来处理 ( update )
- 最后一次修改 view: 修改 form 的 action:
<form action="/books/<%= @teacher.id %>/edit" method='POST'>
完整的 view
请输入:
<form action="/books/<%= @teacher.id %>" method='POST'>
<!-- 提交一个值, _method=put, 告诉rails 这个form 是以 put 形式发起的 请求 -->
<input type='hidden' name='_method' value='put' />
<input type='text' name='the_name' value='<%= @teacher.name %>'/>
<input type='submit' value='确定'/>
</form>
生成的 html 例子:
请输入:
<form action="/books/14" method='POST'>
<!-- 提交一个值, _method=put, 告诉rails 这个form 是以 put 形式发起的 请求 -->
<input type='hidden' name='_method' value='put' />
<input type='text' name='the_name' value='linux的安装调试'/>
<input type='submit' value='确定'/>
</form>
输入值,点击 确认, 就会发起一个请求:
PUT /books/14 ( rails 路由: put /books/:id )
- 增加:
update action
def update
@teacher = Teacher.find params[:id]
@teacher.name = params[:the_name]
@teacher.save
redirect_to books_path
end
评论区