2

在我的 Rails 应用程序中,我想暂时停止为特定用户发送电子邮件(例如,当我因配额而被退回时),直到用户确认他能够再次接收电子邮件。

我对所有邮件类都有一个共同的超类。我总是setup_email在发送邮件之前调用一个方法。

打电话的最佳地点在哪里@user.mail_suspended?

这是一些简化的示例应用程序,我使用 Rails 2.3:

# Common super class for all Mailers
class ApplicationMailer < ActionMailer::Base

  protected
    def setup_mail(user)
      @recipients = user.email
      @from = ...
    end
end

# Specific Mailer for User model
class UserMailer < ApplicationMailer

  def message(user, message)
    setup_mail(user)
    @subject = "You got new message"
    @body[:message] = message
  end
end

# Use the UserMailer to deliver some message
def MessagesController < ApplicationController

  def create
    @message = Message.new(params[:message])
    @message.save
    UserMailer.deliver_message(@message.user, @message)
    redirect_to ...
  end
end
4

3 回答 3

2

我通过设置ActionMailer::Base.perform_deliveries为false解决了这个问题:

def setup_mail(user)
  email = user.default_email
  if email.paused?
    ActionMailer::Base.perform_deliveries = false
    logger.info "INFO: suspended mail for #{user.login} to #{email.email})"
  else
    ActionMailer::Base.perform_deliveries = true
  end
  # other stuff here
end 
于 2013-04-08T14:08:38.623 回答
1

我不会普遍设置 perform_deliveries,只是每条消息,例如

after_filter :do_not_send_if_old_email

def do_not_send_if_old_email
  message.perform_deliveries = false if email.paused?
  true
end
于 2014-08-11T22:38:20.700 回答
1

我尝试了很多方法,但除了这个没有人能帮助我。

class ApplicationMailer < ActionMailer::Base
  class AbortDeliveryError < StandardError; end

  before_action :ensure_notifications_enabled
  rescue_from AbortDeliveryError, with: -> {}

  def ensure_notifications_enabled
    raise AbortDeliveryError.new unless <your_condition>
  end

  ...

end
  1. 使一个类继承standardError以引发异常。
  2. 检查条件,如果为假则引发异常。
  3. 使用空 lambda 处理该异常。

空的 lambda 会导致 Rails 6 只返回一个 ActionMailer::Base::NullMail 实例,它没有被传递(就像你的邮件方法没有调用邮件一样,或者过早返回)。

于 2021-01-10T21:49:32.570 回答