0

我正在我的 Rails 应用程序中创建一个模块,用于“添加团队成员”到项目中。我正在使用 devise_invitable。

在这种情况下,如果我添加一个新的电子邮件地址,则会发送确认邮件和邀请邮件......因为这更有意义

我只是希望发送邀请邮件(并且在用户接受邀请邮件后,他可以发送到注册页面)......在接受邀请之前确认是没有意义的。

我当前的代码如下:

    def create_team_members
      # find the case
      @case = Case.find_by_id(params[:id])
      # TODO:: Will change this when add new cse functionality is done

      params[:invitation][:email].split(',').map(&:strip).each do |email|
      # create an invitation
      @invitation = Invitation.new(email: "#{email}".gsub(/\s+/, ''), role: params[:invitation][:role].rstrip, case_id: @case.id, user_type_id: params[:invitation][:user_type_id])

        if @invitation.save
          # For existing users fire the mail from user mailer
          if User.find_by_email(email).present?
            UserMailer.invite_member_instruction(@invitation).deliver
            @invitation.update_attributes(invited_by: current_user.id)

          else
            # For new users use devise invitable
            user = User.invite!(email: "#{email}", name: "#{email}".split('@').first.lstrip)
            user.skip_confirmation!
            user.save
            @invitation.update_attributes(invitation_token: user.invitation_token, invited_by: current_user.id)
          end
        end
      end
      redirect_to dashboard_path
    end

我不知道我做错了什么......

请帮助...谢谢。

4

1 回答 1

3

有一个变通方法,我们可以覆盖用户模型中的 devise_invitable。目前您的用户模型看起来像这样

class User < ActiveRecord::Base
   devise :confirmable, :database_authenticatable, :registerable, :recoverable, :rememberable, :trackable, :validatable, :invitable
   # Rest of the code
end

devise的方法send_confirmation_instructions负责发送确认邮件。通过覆盖它,我们可以停止发送确认电子邮件并使用户同时确认。

改成这个

class User < ActiveRecord::Base
  devise :database_authenticatable, :registerable, :recoverable, :rememberable, :trackable, :validatable, :invitable

  # Overriding devise send_confirmation_instructions
  def send_confirmation_instructions
    super
    self.confirmation_token = nil    # clear's the confirmation_token
    self.confirmed_at = Time.now.utc # confirm's the user
    self.save
  end

  # Rest of the code
end

现在将不会发送邮件。

于 2013-09-12T18:51:48.877 回答