Reputation: 46616
I have a CRUD controller for a model.
Doing resources :foo
allows me to route on /foo/:id
, etc. for calling actions.
I want add a route for a translation of 'foo' in another language. Let's say 'toto'.
So I want all the /toto/:id
, etc., routes to act exactly like the /foo/:id
, etc., routes.
How may I achieve that?
Upvotes: 27
Views: 21950
Reputation: 29092
If I understand you correctly, you want to just use another path.
resources :foo, path: 'toto'
Now you will have:
GET /toto foo#index
GET /toto/:id foo#show
...
Upvotes: 9
Reputation: 3420
You can achieve something close to this using scope:
scope ':language/' do
resources :foo, controller: 'bar_controller'
end
This make your bar_controller a resource to anything/foo, where anything gets passed as the :language parameter.
so:
all get handled by bar_controller, with the normal resource mapping, and you get params[:language] in the controller for free.
Upvotes: 0
Reputation: 3467
This will let you rename paths seen by the user but keep the original name of your controllers in the code:
scope(:path_names => { :new => "neu", :edit => "bearbeiten" }) do
resources :categories, :path => "kategorien"
end
Upvotes: 25
Reputation: 11055
You can add a new resource and specify foo as the controller:
resources :toto, :controller=>"foo"
This will point all the actions to "foo", but there is a gotcha. I think you will run into problems with the links on the page, if you are using foo_url or something like that. So you would have to figure out a way to create the URLs dymanically based on the controller in "request.path".
Upvotes: 39