我正在使用邮件拦截器,如下所示:
为setup_mail.rb
Mail.register_interceptor(MailInterceptor) if Rails.env != "production"
类MailInterceptor
class MailInterceptor
def self.delivering_email(message)
message.subject = "#{message.subject} [#{message.to}]"
message.to = "xxxxx@xxxxxx.com"
end
end
我无法为此拦截器创建一个rspec,因为rake spec不会发生这种情况。
我有以下规格:
describe "MailInterceptor" do
it "should be intercepted" do
@email = UserMailer.registration_automatically_generated(@user)
@email.should deliver_to("xxxxx@xxxxxx.com")
end
end
在test.log中,我看到deliver_to不是拦截器。关于如何为拦截器编写rspec的任何想法?
由于
答案 0 :(得分:13)
deliver_to
的email_spec匹配器实际上并没有通过典型的传递方式运行邮件消息,它simply inspects the message用于发送给谁。
要测试拦截器,可以直接调用deliver_email方法
it 'should change email address wen interceptor is run' do
email = UserMailer.registration_automatically_generated(@user)
MailInterceptor.delivering_email(email)
email.should deliver_to('xxxxx@xxxxxx.com')
end
另一种选择是让邮件正常发送,并使用email_spec的last_email_sent
it 'should intercept delivery' do
reset_mailer
UserMailer.registration_automatically_generated(@user).deliver
last_email_sent.should deliver_to('xxxxx@xxxxxx.com')
end
使用这两个测试可能是一个好主意,第一个确保MailInterceptor
正在改变消息,正如您所期望的那样。第二个测试更多的是集成测试,测试将MailInterceptor
连接到交付系统。