5

我有这条路线:

resources :items, path: 'feed', only: [:index], defaults: { variant: :feed }

它嵌套在 api 和 v1 命名空间中。(request_source 参数来自 Api 命名空间)。

我想在我的控制器规范中测试索引操作。我试过了:

get :feed, community_id: community.id, :request_source=>"api"

不起作用,因此:

get :index, community_id: community.id, :request_source=>"api", variant: 'feed'

说:

ActionController::RoutingError:
   No route matches {:community_id=>"14", :request_source=>"api", :variant=>"feed", :controller=>"api/v1/items"}

- - - -编辑 - - - - -

我想使用变体将参数发送到控制器的原因是因为我有所有这些路由:

    resources :items, path: 'feed',    only: [:index], defaults: { variant: 'feed' }
    resources :items, path: 'popular', only: [:index], defaults: { variant: 'popular' }

然后,在 ItemsController 中,我有一个用于索引操作的前置过滤器“get_items”:

def get_items
  if params[:variant] == 'feed'
     ....
elsif params[:variant] == 'popular'
    ....
end
4

2 回答 2

2

看起来问题出在定义defaults: { variant: :feed }. 你能否详细说明你试图用它来完成什么。

我创建了一个应用程序来测试你所拥有的,并在config/routes.rb

namespace :api do
  namespace :v1 do
    resources :items, path: 'feed', only: :index
  end
end

我跑的时候得到了这个rake routes

$ rake routes
api_v1_items GET /api/v1/feed(.:format) api/v1/items#index

更新:params为您可以在操作中使用的路由中未定义的变量设置默认值。

params[:variant] ||= 'feed'

更新 2:您可以像这样有条件地分配params[:variant]前过滤器。

class ItemsController < ApplicationController
  before_filter :get_variant

  # or more simply
  # before_filter lambda { params[:variant] ||= 'feed' }

  def index
    render text: params[:variant]
  end

private      

  def get_variant
    # make sure we have a default variant set
    params[:variant] ||= 'feed'
  end
end
于 2012-08-28T13:21:45.827 回答
0

我必须设置默认变体的一个想法可能是允许路径是动态的。而不是设置variant为查询字符串,而是将其用作实际路径本身的一部分。此方法不需要控制器中的前置过滤器。

namespace :api do
  namespace :v1 do
    root :to => 'items#index', :defaults => { :variant => 'feed' }
    get ':variant' => 'items#index', :defaults => { :variant => 'feed' }
  end
end

然后你可以访问网站上的不同区域

GET "http://localhost:3000/api/v1" # params[:variant] == 'feed'
GET "http://localhost:3000/api/v1/feed" # params[:variant] == 'feed'
GET "http://localhost:3000/api/v1/popular" # params[:variant] == 'popular'
于 2012-09-04T13:50:46.783 回答