我已经建立了类似Twitter的@replies,允许用户通过用户每日邮件相互联系...类似于stackoverflow。
将此作为指南https://github.com/kltcalamay/sample_app/compare/original-version...master
如何解析/扫描帖子&然后将@usernames替换为该用户页面的链接
帖子示例。
Kevins Post:
@Pzpcreations @john @steve hey everyone lets all hang out today
我希望扫描/解析帖子,然后将用户@Pzpcreations @john @steve链接到他们的个人资料
我尝试在Dailypost模型中创建一个方法,将用户名存储在数组中......但IDK如何替换并将它们链接到相应的用户页面
def username_link
str = self.content_html
recipient = str.scan(USERNAME_REGEX)
end
这给了我[“@Pzpcreations”,“@ john”,“@ step”]
请帮帮我....新来的铁路:)
模型
class Recipient < ActiveRecord::Base
attr_accessible :dailypost_id, :user_id
belongs_to :user
belongs_to :dailypost
end
class User < ActiveRecord::Base
attr_accessible :name, :email, username
has_many :dailyposts, dependent: :destroy
has_many :replies, :class_name => 'Recipient', :dependent => :destroy
has_many :received_replies, :through => :replies, :source => 'dailypost'
end
class Dailypost < ActiveRecord::Base
attr_accessible :content, :recipients
belongs_to :user
###What is the Correct REGEX for Rails 4?
USERNAME_REGEX = /@\w+/i
has_many :recipients, dependent: :destroy
has_many :replied_users, :through => :recipients, :source => "user"
after_save :save_recipients
**private**
def save_recipients
return unless reply?
people_replied.each do |user|
Recipient.create!(:dailypost_id => self.id, :user_id => user.id)
end
end
def reply?
self.content.match( USERNAME_REGEX )
end
def people_replied
users = []
self.content.clone.gsub!( USERNAME_REGEX ).each do |username|
user = User.find_by_username(username[1..-1])
users << user if user
end
users.uniq
end
end
SCHEMA
create_table "recipients", :force => true do |t|
t.string "user_id"
t.string "dailypost_id"
t.datetime "created_at", :null => false
t.datetime "updated_at", :null => false
end
[#<Recipient id: 7, **user_id: "103"**, dailypost_id: "316", created_at: "2013-06-18
10:31:16", updated_at: "2013-06-18 10:31:16">]
User_ID in recipients are the users that are mentioned in the Dailypost.
视图
<%= link_to dailypost.username_link %>
答案 0 :(得分:2)
您可以将每个匹配传递到一个块。 在此块中,您将返回所需的链接,例如
def username_link
str = self.content_html
str.gsub!(USERNAME_REGEX).each do |recipient|
if User.find_by_name(recipient)
"[link to #{recipient}]"
else
recipient
end
end
end
修改强>
在app/helpers/posts_helper.rb
def post_with_links(post)
post.content_html.gsub(/@\w+/).each do |username|
user = User.find_by_username(username[1..-1])
if user
link_to username, user
else
username
end
end
在您的视图中使用此
<%= post_with_links(post) %>
答案 1 :(得分:1)
您希望在每个用户名上进行查找和替换,并生成指向用户个人资料的链接。它看起来像这样:
def username_link
new_content_html = self.content_html
recipients = new_content_html.scan(USERNAME_REGEX)
recipients.each do |recipient|
user = User.find_by_username(recipient) # strip off the @ if required
new_content_html.gsub!(recipient, "<a href='#{users_path(user)}'>#{user.username}</a>")
end
new_content_html
end
这假设您在路由文件中有users
的路由,该路由生成users_path
方法。
有一个完整的兔子洞需要讨论其他事情,因为它会像推特一样回复系统,而发现自己的那些将是一半的乐趣! ;)