ActionMailer执行超时

时间:2010-06-09 20:18:56

标签: ruby-on-rails actionmailer

当尝试向用户发送电子邮件以重置密码时,我不断收到执行超时错误。其他邮件程序功能工作,所以我知道配置设置是正确的。标题为:“Timeout :: Password in resetsController #create”

这是password_resets_controller:

def create  
 @user = User.find_by_email(params[:email])  
 if @user  
  User.deliver_password_reset_instructions(@user.id)
  flash[:notice] = "Instructions to reset your password have been emailed to you. " +  
  "Please check your email."  
  redirect_to '/'  
 else  
  flash[:notice] = "No user was found with that email address"  
  render :action => :new
 end  
end

以下是User.rb

中的方法
def self.deliver_password_reset_instructions(user_id)
 user = User.find(user_id)
 user.reset_perishable_token!  
 Emailer.deliver_password_reset_instructions(user)
end

最后,这是emailer.rb中的实际方法:

default_url_options[:host] = "http://0.0.0.0:3000"  #development
 def password_reset_instructions(user)  
    @subject                            = "Application Password Reset"  
    @from                               = 'Notice@myApp.com' 
    @recipients                         = user.email  
    @sent_on                            = Time.now  
    @body["edit_password_reset_url"]    =  edit_password_reset_url(user.perishable_token)  
    @headers["X-SMTPAPI"] = "{\"category\" : \"Password Recovery\"}"#send grid category header
  end

为什么错误消息中的“密码”会引起超时::错误

1 个答案:

答案 0 :(得分:1)

从主控制器请求线程发送电子邮件(或其他长时间运行的进程)不是一个好主意。发送电子邮件的时间可能超出您无法控制的各种原因(例如,出站电子邮件递送服务器已关闭),并且您不希望应用程序服务器和用户因此受到影响。

更好的方法是使用排队机制(如延迟作业(DJ))对这些电子邮件任务进行排队,并让它们在控制器线程之外进行处理。

请参阅https://github.com/collectiveidea/delayed_job

将此(或其他排队系统)集成到rails应用程序中非常简单。据说rails 4内置了排队服务(我还没有使用)http://blog.remarkablelabs.com/2012/12/asynchronous-action-mailer-rails-4-countdown-to-2013

例如,如果您在应用中使用DJ,新代码将如下所示

def self.deliver_password_reset_instructions(user_id)
 user = User.find(user_id)
 user.reset_perishable_token!  
 # this is the only line that changes
 Emailer.delay.deliver_password_reset_instructions(user)
end

作业存储在数据库中,并在发生超时等错误时重新尝试。

您可以在github页面上阅读有关DJ的更多信息。