2

有一个“我显然做错了什么”的时刻。感觉就像我正在尝试做一些基本的事情,并与框架作斗争,所以我正在寻求帮助!

我正在使用 Rails 3,对如何制作一个搜索表单以产生具有干净 URL 的页面有点困惑。

我的应用程序允许您搜索从任何位置到另一个位置的路线。

例如,有效的 URL 是 /routes/A/to/B/,或 /routes/B

我的路线.rb:

match 'routes/:from/to/:to' => 'finder#find', :as => :find
match 'routes/find' => 'finder#find'

我的搜索表格:

<% form_tag('/routes, :method => 'post') do %>
  <%= label_tag(:from, "From:") %>
  <%= text_field_tag(:from) %>
  <%= label_tag(:to, "To:") %>
  <%= text_field_tag(:to) %>
  <%= submit_tag("Go") %>
<% end %>

控制器:

class FinderController < ApplicationController
  def index
  end

  def find
    if params[:from].blank? or params[:to].blank?
      render :action => "invalid_results" and return
    end
    @from = Location.find_by_code(params[:from].upcase)
    @to = Location.find_by_code(params[:to].upcase)
    if @from.nil? or @to.nil?
      render :action => "invalid_results" and return
    end

    @routes = Route.find_all_by_from_location_id_and_to_location_id(@from, @to)

  end
end

当我:method => 'get'在我form_tag的 中使用时,应用程序可以工作,但 URL 很可怕。而且,当然,使用:method => 'post',变量不再可见,这对书签不利。发布表单后如何告诉 Rails 使用我漂亮的 URL?

我是 Rails 的新手,非常感谢您的耐心等待。

4

1 回答 1

5

您的路线会获得一个自动命名的路径,您可以通过键入来查看rake routes。例如:

new_flag GET    /flags/new(.:format)      {:action=>"new", :controller=>"flags"}

您可以使用new_flag_path或引用路径new_flag_url

你的form_tag输入有点古怪。find您也可以使用该方法,而不是使用单独的index方法,但这是您的选择。

您可能会发现使用标准redirect_to根据输入重定向到更漂亮的 URL 会更容易。如果您不想要重定向,那么您需要使用 jQuery 动态更改表单的操作方法。搜索通常使用丑陋的 GET 参数。

因此,我会将您的代码更改为如下所示:

路线.rb

get 'routes/:from/to/:to' => 'finder#routes', :as => :find_from_to
post 'routes/find' => 'finder#find', :as => :find

_form.html.erb

<% form_tag find_path, :method => :post do %>
  <%= label_tag(:from, "From:") %>
  <%= text_field_tag(:from) %>
  <%= label_tag(:to, "To:") %>
  <%= text_field_tag(:to) %>
  <%= submit_tag("Go") %>
<% end %>

finder_controller.rb

class FinderController < ApplicationController
  def index
  end

  def find
    if params[:from].blank? or params[:to].blank?
      render :action => "invalid_results" and return
    end
    @from = Location.find_by_code(params[:from].upcase)
    @to = Location.find_by_code(params[:to].upcase)
    if @from.nil? or @to.nil?
      render :action => "invalid_results" and return
    end

    redirect_to find_from_to_path(@from, @to)

  end

  def routes
     @routes = Route.find_all_by_from_location_id_and_to_location_id(params[:from], params[:to])
  end
end
于 2011-08-07T04:25:22.797 回答