作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
目前我有一条看起来像这样的路线:
resources :posts
posts/:id/:slug
match
来做到这一点路线:
resources :posts
match 'posts/:id/:slug' => 'posts#show'
link_to
助手,它不使用我的自定义显示路线。
<%= link_to 'show', post %> # renders /posts/123
link_to
helper ?
# config/routes.rb
match 'posts/:id/:slug' => 'posts#show', as: 'post_seo'
# app/views/posts/index.html.erb
<%= link_to post.title, post_seo_path(post.id, post.slug) %>
最佳答案
您有两条路线指向 posts#show
(您应该可以通过运行 rake routes
来确认这一点),并且您的链接使用了错误的链接。
当您调用 link_to('show', post)
通过调用 url_for(post)
生成链接的 URL其中(最终,在途中经过其他几种方法之后)调用post_path(post)
.由于路线到posts#show
由您调用 resources(:posts)
创建的被命名为 post
,即post_path
的路线生成。
您目前还有不一致的显示、更新和销毁操作路线,这可能会在以后给您带来问题。
您可以通过将路线更改为以下内容来解决此问题:
resources :posts, :except => ['show', 'update', 'destroy']
get 'posts/:id/:slug' => 'posts#show', :as => 'post'
put 'posts/:id/:slug' => 'posts#update'
delete 'posts/:id/:slug' => 'posts#destroy'
link_to('show', post)
只是,因为它依赖于能够使用
post.to_param
作为构建帖子路径所需的单个参数。您的自定义路由需要两个参数,一个
id
和
slug
.所以现在您的链接代码需要如下所示:
link_to 'show', post_path(post.id, post.slug)
post_path
来解决这个问题。和
post_url
app/helpers/posts_helper.rb
中的助手:
module PostsHelper
def post_path(post, options={})
post_url(post, options.merge(:only_path => true))
end
def post_url(post, options={})
url_for(options.merge(:controller => 'posts', :action => 'show',
:id => post.id, :slug => post.slug))
end
end
link_to 'show', post
posts/:id-:slug
的 URL。 ,在这种情况下,您可以坚持使用标准 RESTful 路由并覆盖
to_param
您的
Post
中的方法类(class):
def to_param
"#{id}-#{slug}"
end
params[:id]
在您可以在节目中查找相关实例、编辑、更新和销毁 Controller 操作之前,将其放入 ID 和 slug 中。
关于ruby-on-rails - Ruby on Rails : How to override the 'show' route of a resource?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/11570924/
我是一名优秀的程序员,十分优秀!