6

我在我的应用程序to_param中使用创建自定义 URL(此自定义路径包含斜杠):

class Machine < ActiveRecord::Base
  def to_param
    MachinePrettyPath.show_path(self, cut_model_text: true)
  end
end

问题是,由于Rails 4.1.2行为发生了变化并且 Rails 不允许在 URL 中使用斜杠(当使用自定义 URL 时),所以它转义了斜杠。

我有这样的路线:

Rails.application.routes.draw do
  scope "(:locale)", locale: /#{I18n.available_locales.join("|")}/ do
      resources :machines, except: :destroy do
          collection do
            get  :search
            get  'search/:ad_type(/:machine_type(/:machine_subtype(/:brand)))', action: 'search', as: :pretty_search

            get  ':subcategory/:brand(/:model)/:id', action: 'show', as: :pretty
            patch ':subcategory/:brand(/:model)/:id', action: 'update'                                  # To be able to update machines with new rich paths.
          end
      end
  end
end

根据线程中的建议尝试将 glob 参数仅用于 show 方法以确保其有效:

resources :machines, except: :destroy do
 #...
end

scope format: false do
 get '/machines/*id', to: "machines#show"
end

但这绝对行不通。我仍然有这样的断开链接:

http://localhost:3000/machines/tractor%2Fminitractor%2Fmodel1%2F405

当然,如果我自己替换转义斜线:

http://localhost:3000/machines/tractor/minitractor/model1/405

并尝试访问路径,然后页面将被打开。

任何想法我该如何解决?

4

3 回答 3

1

使用自动生成的 url 帮助程序时,我遇到了同样的问题。我使用调试器将新行为追溯到其来源(在 ActionDispatch::Journey::Visitors::Formatter 附近),但没有找到任何有希望的解决方案。看起来参数化模型现在被严格视为路径的单个斜杠分隔段并相应地转义,没有其他选项可以告诉格式化程序。

据我所知,让 url helper 产生旧结果的唯一方法是使用原始路由文件并分别传递每个段,例如:

pretty_machine_path(machine.subcategory, machine.brand, machine.model, machine.id)

这很丑陋,显然不是你想要一遍又一遍地做的事情。您可以向 MachinePrettyPath 添加一个方法,以将段生成为数组并为帮助器(例如pretty_machine_path(*MachinePrettyPath.show_path_segments(machine)))分解结果,但这仍然非常冗长。

在上述头痛和您链接到的 Rails 票中开发人员的“你做错了”态度之间,对我来说最简单的选择是硬着头皮编写自定义 URL 帮助程序而不是使用 to_param。我还没有找到一个很好的例子来说明这样做的“正确”方法,但是像这个简单的例子应该可以达到目的:

#app/helpers/urls_helper.rb
module UrlsHelper
  def machine_path(machine, options = {})
    pretty_machine_path(*MachinePrettyPath.show_path_segments(machine), options)
  end
end

#app/controllers/application_controller.rb
class ApplicationController < ActionController::Base
  helper :urls #for the views
  include UrlsHelper #for controllers
  #...
end
于 2014-10-08T22:21:17.853 回答
0

如果您确定返回的 url 是安全的,则应将 .html_safe 添加到返回的字符串中:

MachinePrettyPath.show_path(self, cut_model_text: true).html_safe

(没有看到其他任何地方可以转义,但检查应用程序中的所有流程,可能通过方法手动测试方法)

于 2014-08-06T09:27:07.373 回答
0

自己定义网址怎么样?

def to_param
  "#{ subcategory.title.parameterize }/#{ brand.name.parameterize }/#{ model.name.parameterize) }/#{ id }"
end

然后在你的路线中是这样的:

get 'machines/*id', to: "machines#show"

当您在模型上进行查找时,您还必须拆分您的 params[:id]。

Machine.find( params[:id].split("/").last ) 
于 2014-09-10T07:02:22.397 回答