2

这是我在模型中使用的东西

这是通过 API 发布到另一个 3rd 方网站的 URL

后模型 (post.rb)

"#{content.truncate(200)}...more http://domain.com/post/#{id.to_s}"

“id”是指帖子id。如何将其转换为随机的 8 位字母数字?

现在,它被显示为人们可以改变的东西http://domain.com/post/902

我想http://domain.com/post/9sd98asj

我知道我可能需要使用类似的东西,SecureRandom.urlsafe_base64(8)但是我可以在哪里以及如何设置它?

这就是我在 routes.rb 中的内容

match '/post/:id', :to => 'posts#show', via: :get, as: :post
4

2 回答 2

10

您只需要添加一个属性到post. 属性名称是permalink

尝试运行:

rails g migration add_permalink_to_posts permalink:string
rake db:migrate

您有两个Active Record 回调可供选择:before_savebefore_create(查看两者之间的区别)。此示例使用before_save回调。

注意:对于 Rails 3.x

class Post < ActiveRecord::Base
  attr_accessible :content, :permalink
  before_save :make_it_permalink

 def make_it_permalink
   # this can create a permalink using a random 8-digit alphanumeric
   self.permalink = SecureRandom.urlsafe_base64(8)
 end

end

urlsafe_base64

在你的routes.rb文件中:

match "/post/:permalink" => 'posts#show', :as => "show_post"

posts_controller.rb

def index
 @posts = Post.all
end

def show
  @post = Post.find_by_permalink(params[:permalink])
end

最后,以下是意见(index.html.erb):

<% @posts.each do |post| %>
<p><%= truncate(post.content, :length => 300).html_safe %>
   <br/><br/>
   <%= link_to "Read More...", show_post_path(post.permalink) %></p>
<% end %>
于 2013-04-19T03:16:48.010 回答
3

将 Rails 中的主键更改为字符串”与您的问题有关。

我会:

  • 在表上保留默认 ID
  • 不定义资源路由,用 match 编写需要的路由(如match '/post/:code'
  • controller#show,使用Post.find_by_code(params[:code])
于 2013-04-19T03:17:53.927 回答