16

我正在使用邮件拦截器,如下所示:

setup_mail.rb

Mail.register_interceptor(MailInterceptor) if Rails.env != "production" 

邮件拦截器类

class MailInterceptor  
  def self.delivering_email(message)  
    message.subject = "#{message.subject} [#{message.to}]"
    message.to = "xxxxx@xxxxxx.com"
  end
end

我无法为此拦截器创建 rspec,因为 rake 规范不会发生这种情况。

我有以下规格:

  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 的任何想法?

谢谢

4

1 回答 1

13

email_spec 匹配器deliver_to实际上并不通过典型的传递方法运行邮件消息,它只是检查消息的发送对象。

要测试你的拦截器,你可以直接调用 delivery_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与交付系统挂钩的测试。

于 2011-10-08T00:55:03.490 回答