我想为Devise添加新的邮件程序方法,主要是复制内置工具的工作流程,但添加了一些参数和不同的视图。
例如,在两种情况下使用reset_password_instructions:
功能相同,但我希望第二封电子邮件具有不同的视图,而且我还需要传递发送邀请的人的姓名。
这非常令人困惑,因为Devise邮件程序调用了许多其他方法和帮助程序,因此我不知道要重写哪些方法以实现此目的。
答案 0 :(得分:3)
要使用自定义邮件程序,请创建一个扩展Devise::Mailer
的类,如下所示:
class MyMailer < Devise::Mailer
helper :application # gives access to all helpers defined within `application_helper`.
include Devise::Controllers::UrlHelpers # Optional. eg. `confirmation_url`
default template_path: 'devise/mailer' # to make sure that your mailer uses the devise views
end
然后,在config/initializers/devise.rb
中,将config.mailer
设为"MyMailer"
。
您现在可以像使用任何其他邮件一样使用MyMailer
。如果您想覆盖特定邮件以添加额外标题,您可以通过简单地覆盖方法并在自定义方法结束时调用super
来触发Devise的默认行为。
例如,我们可以为confirmation_instructions
电子邮件添加新标头,如下所示:
def confirmation_instructions(record, token, opts={})
headers["Custom-header"] = "Bar"
super
end
您还可以通过手动设置选项哈希来覆盖任何基本标头(来自,reply_to等):
def confirmation_instructions(record, token, opts={})
headers["Custom-header"] = "Bar"
opts[:from] = 'my_custom_from@domain.com'
opts[:reply_to] = 'my_custom_from@domain.com'
super
end
为了获得预览(如果User
是您的设计型号名称):
# test/mailers/previews/my_mailer_preview.rb
# Preview all emails at http://localhost:3000/rails/mailers/my_mailer
class MyMailerPreview < ActionMailer::Preview
def confirmation_instructions
MyMailer.confirmation_instructions(User.first, "faketoken", {})
end
def reset_password_instructions
MyMailer.reset_password_instructions(User.first, "faketoken", {})
end
def unlock_instructions
MyMailer.unlock_instructions(User.first, "faketoken", {})
end
end
为了控制邮件程序将新邮件排队的队列名称,请将以下方法添加到您的班级(MyMailer
,上方):
def deliver_later
Devise::Mailer.delay(queue: 'my_queue').send(...)
end