我正在开发一个涉及发送/接收电子邮件的Rails 4 应用程序。例如,我在用户注册、用户评论和应用程序中的其他事件期间发送电子邮件。
我已经使用 action 创建了所有电子邮件mailer
,并使用rspec
andshoulda
进行测试。我需要测试邮件是否正确接收到正确的用户。我不知道如何测试行为。
请告诉我如何测试ActionMailer
使用shoulda
and rspec
。
我正在开发一个涉及发送/接收电子邮件的Rails 4 应用程序。例如,我在用户注册、用户评论和应用程序中的其他事件期间发送电子邮件。
我已经使用 action 创建了所有电子邮件mailer
,并使用rspec
andshoulda
进行测试。我需要测试邮件是否正确接收到正确的用户。我不知道如何测试行为。
请告诉我如何测试ActionMailer
使用shoulda
and rspec
。
假设以下Notifier
邮件和User
模型:
class Notifier < ActionMailer::Base
default from: 'noreply@company.com'
def instructions(user)
@name = user.name
@confirmation_url = confirmation_url(user)
mail to: user.email, subject: 'Instructions'
end
end
class User
def send_instructions
Notifier.instructions(self).deliver
end
end
以及以下测试配置:
# config/environments/test.rb
AppName::Application.configure do
config.action_mailer.delivery_method = :test
end
这些规格应该可以满足您的需求:
# spec/models/user_spec.rb
require 'spec_helper'
describe User do
let(:user) { User.make }
it "sends an email" do
expect { user.send_instructions }.to change { ActionMailer::Base.deliveries.count }.by(1)
end
end
# spec/mailers/notifier_spec.rb
require 'spec_helper'
describe Notifier do
describe 'instructions' do
let(:user) { mock_model User, name: 'Lucas', email: 'lucas@email.com' }
let(:mail) { Notifier.instructions(user) }
it 'renders the subject' do
expect(mail.subject).to eql('Instructions')
end
it 'renders the receiver email' do
expect(mail.to).to eql([user.email])
end
it 'renders the sender email' do
expect(mail.from).to eql(['noreply@company.com'])
end
it 'assigns @name' do
expect(mail.body.encoded).to match(user.name)
end
it 'assigns @confirmation_url' do
expect(mail.body.encoded).to match("http://aplication_url/#{user.id}/confirmation")
end
end
end
向 Lucas Caton 提供有关此主题的原始博客文章的道具。