5

我有一个看起来像这样的观察者:

class CommentObserver < ActiveRecord::Observer
    include ActionView::Helpers::UrlHelper

    def after_create(comment)
        message = "#{link_to comment.user.full_name, user_path(comment.user)} commented on #{link_to 'your photo',photo_path(comment.photo)} of #{comment.photo.location(:min)}"
        Notification.create(:user=>comment.photo.user,:message=>message)
    end

end

基本上我用它来做的就是当有人在他们的一张照片上发表评论时为某个用户创建一个简单的通知消息。

这失败并显示错误消息:

NoMethodError (undefined method `link_to' for #<CommentObserver:0x00000102fe9810>):

我原以为包括ActionView::Helpers::UrlHelper会解决这个问题,但它似乎没有效果。

那么,我怎样才能在我的观察者中包含 URL 助手,或者以其他方式呈现呢?我很乐意将“消息视图”移动到部分或其他内容中,但是观察者没有关联的视图可以将其移动到......

4

3 回答 3

3

为什么在将消息呈现到页面时不构建消息,然后使用类似的东西对其进行缓存?

<% cache do %>
  <%= render user.notifications %>
<% end %>

这将使您不必在观察者中进行破解,并且在 Rails 中将更加“符合标准”。

于 2011-06-20T21:52:39.300 回答
3

为了处理这种类型的事情,我制作了一个 AbstractController 来生成电子邮件的正文,然后将其作为变量传递给邮件程序类:

  class AbstractEmailController < AbstractController::Base

    include AbstractController::Rendering
    include AbstractController::Layouts
    include AbstractController::Helpers
    include AbstractController::Translation
    include AbstractController::AssetPaths
    include Rails.application.routes.url_helpers
    include ActionView::Helpers::AssetTagHelper

    # Uncomment if you want to use helpers 
    # defined in ApplicationHelper in your views
    # helper ApplicationHelper

    # Make sure your controller can find views
    self.view_paths = "app/views"
    self.assets_dir = '/app/public'

    # You can define custom helper methods to be used in views here
    # helper_method :current_admin
    # def current_admin; nil; end

    # for the requester to know that the acceptance email was sent
    def generate_comment_notification(comment, host = ENV['RAILS_SERVER'])
        render :partial => "photos/comment_notification", :locals => { :comment => comment, :host => host }
    end
  end

在我的观察者中:

  def after_create(comment)
     email_body = AbstractEmailController.new.generate_comment_notification(comment)
     MyMailer.new(comment.id, email_body)
  end
于 2011-06-22T20:08:50.223 回答
2

因此,事实证明,这与您不能link_to在邮件视图中使用的原因相同。观察者没有关于当前请求的信息,因此不能使用链接助手。你必须以不同的方式来做。

于 2011-06-22T20:01:05.257 回答