1

我正在构建一个具有merchant子域的 Rails 应用程序。我有这两条路线:

get '/about', controller: :marketing, action: :about, as: :about
get '/about', controller: :merchant, action: :about, constraints: { subdomain: 'merchant' }, as: :merchant_about

但是当我同时使用他们的 URL 助手merchant_about_urlabout_url导致http://example.com/about.

我知道我可以subdomain在帮助器上指定参数以在 URL 前加上子域,但由于这些 URL 将在各种情况下经常使用,我想为这个帮助器构建一个包装器以使其更智能。

我的问题:我可以检查给定路由以查看它是否具有子域约束吗?

如果可以的话,我想做如下的事情:

def smart_url(route_name, opts={})
  if # route_name has subdomain constraint
    opts.merge!({ subdomain: 'merchant' })
  end

  send("#{route_name}_url", opts)
end

在这样做时,我可以有效地调用:

smart_url('about')          # http://example.com/about
smart_url('merchant_about') # http://merchant.example.com/about

这可能吗?

4

2 回答 2

0

我可以检查给定的路由以查看它是否具有子域约束吗?

是的,这是可能的。您需要使用 Rails 的路线 API 来获取有关路线的信息。

def smart_url(route_name, opts={})
  route = Rails.application.routes.routes.detect {|r| r.name == route_name }

  if opts.is_a? Hash && route&.constraints[:subdomain]
    opts.merge!({ subdomain: 'merchant' })
  end

  send("#{route_name}_url", opts)
end

上面通过名称搜索路由,如果找到路由,则检查其约束。

于 2017-06-17T06:16:28.677 回答
-1

你可以像这样在 lib 文件夹下创建类

class Subdomain
    def self.matches?(request)
        case request.subdomain
        when SUB_DOMAIN_NAME
          true
        else
          false
        end
    end
end

并在您的 routes.rb 文件中创建这样的路线

constraints(Subdomain) do
    get '/about', to: 'marketings#about', as: :about
end

get '/about', to: 'marketings#about', as: :merchant_about
于 2017-06-14T11:55:05.760 回答