我有一个包含id,name和email字段的表CLIENTS,我使用ActionMailer向第三方SMTP发送电子邮件。
现在我希望客户端也有订阅选项,所以我添加了“subscription”列,默认值为true。
现在如何生成一个可以放在视图邮件模板中的链接,这样当用户点击它时,订阅值会变为false,所以将来客户端不会收到任何电子邮件?请注意,这些客户端不是我的rails应用用户,因此我无法使用此处建议Rails 3.2 ActionMailer handle unsubscribe link in emails
我发现此链接how to generate link for unsubscribing from email看起来很有帮助,但我想可能会在3年后,我们可能会有更好的解决方案
这是我的完整代码 -
#client.rb
attr_accessible :name, :company, :email
belongs_to :user
has_many :email_ids
has_many :emails, :through => :email_ids
before_create :add_unsubscribe_hash
private
def add_unsubscribe_hash
self.unsubscribe_hash = SecureRandom.hex
end
这是Clients_controller.rb文件
# clients_controller.rb
def new
@client = Client.new
respond_to do |format|
format.html
format.json { render json: @client }
format.js
end
end
def create
@client = current_user.clients.new(params[:client])
respond_to do |format|
if @client.save
@clients = current_user.clientss.all
format.html { redirect_to @client }
format.json { render json: @client }
format.js
else
@clients = current_user.clients.all
format.html { render action: "new" }
format.json { render json: @client.errors, status: :error }
format.js
end
end
end
def unsubscribe
@client = Client.find_by_unsubscribe_hash(params[:unsubscribe_hash])
@client.update_attribute(:subscription, false)
end
代码适用于现有记录,取消订阅工作正常,我在创建新客户时遇到问题。
我在unsubscribe方法中使用了@client,因为我在client_mailer.rb模板中使用此对象(使用@client或只使用客户端,两者都正常工作!)
编辑2 - _form.html.erb
<%= simple_form_for(@client, :html => {class: 'form-horizontal'}) do |f| %>
<%= f.input :name, :label => "Full Name" %>
<%= f.input :company %>
<%= f.input :email %>
<%= f.button :submit, class: 'btn btn-success' %>
<% end %>
复制完整的曲目堆栈
答案 0 :(得分:6)
尝试将每个客户端与唯一但不起眼的标识符相关联,该标识符可用于通过电子邮件中包含的取消订阅链接查找(和取消订阅)用户。
首先将另一列添加到名为unsubscribe_hash
的客户端表中:
# from command line
rails g migration AddUnsubscribeHashToClients unsubscribe_hash:string
然后,将随机哈希与每个客户端相关联:
# app/models/client.rb
before_create :add_unsubscribe_hash
private
def add_unsubscribe_hash
self.unsubscribe_hash = SecureRandom.hex
end
创建一个控制器操作,将subscription
布尔切换为true
:
# app/controllers/clients_controller.rb
def unsubscribe
client = Client.find_by_unsubscribe_hash(params[:unsubscribe_hash])
client.update_attribute(:subscription, false)
end
将它连接到一条路线:
# config/routes.rb
match 'clients/unsubscribe/:unsubscribe_hash' => 'clients#unsubscribe', :as => 'unsubscribe'
然后,当客户端对象传递给ActionMailer时,您将可以访问unsubscribe_hash
属性,您可以通过以下方式将其传递给链接:
# ActionMailer view
<%= link_to 'Unsubscribe Me!', unsubscribe_url(@user.unsubscribe_hash) %>
点击链接后,系统会触发unsubscribe
操作。将通过传入的unsubscribe_hash
查找客户端,subscription
属性将转为false
。
更新:
为现有客户添加unsubscribe_hash
属性的值:
# from Rails console
Client.all.each { |client| client.update_attribute(:unsubscribe_hash, SecureRandom.hex) }