Devise Omniauth - настройка и определение стратегий

Я пытался задать этот вопрос - и не нашел никакой помощи.

http://stackru.com/questions/33493369/rails-devise-omniauth-problems-with-setup

Я перестал пытаться решить проблему и создал совершенно новое приложение, в котором больше ничего не было, чтобы попытаться уменьшить область действия других ошибок.

В моем новом приложении я теперь получаю сообщение об ошибке, когда нажимаю на ссылку новой регистрации / нового пользователя.

Я следовал инструкциям по наведению рельсов (попробовал около 20 других), чтобы получить эту настройку. 1,5 года и я все еще борюсь.

Проблема в том, как стратегии определены в контроллере. У меня есть 4 стратегии (Twitter, Facebook, Google и linkedin), и в настоящее время я получаю разные ошибки для каждой из них, когда я пытаюсь нажать на ссылки, чтобы создать новую регистрацию с этими учетными записями:

Для Twitter: неизвестное действие Не удалось найти действие "twitter" для пользователей::AuthenticationsController

Для Facebook:

Given URL is not permitted by the Application configuration: One or more of the given URLs is not permitted by the App's settings. It must match the Website URL or Canvas URL, or the domain must be a subdomain of one of the App's domains.

Это ошибка, потому что я не могу понять документацию Facebook. Он показывает, как использовать js для входа в Facebook, где я пытаюсь использовать гемы в Rails. Я не беспокоюсь об этой ошибке. Я думаю, что это как-то связано с тем, что мой сайт не определен как локальный хост, хотя я не могу нигде найти ничего, кроме URL обратного вызова в консоли разработчика Facebook. Мой вопрос не относится к этой проблеме, я найду помощь, чтобы разобраться с этим в другой раз.

Для LinkedIn:

Safari can’t open the page “https://www.linkedin.com/uas/oauth2/authorization?client_id=LINKEDIN_DEV_ID&redirect_uri=http%3A%2F%2Flocalhost%3A3000%2Fusers%2Fauth%2Flinkedin%2Fcallback&response_type=code&scope=r_basicprofile+r_emailaddress&state=3fef961c10410464cd5b0ca49b25112ce53fb65f1a3c794f”.

Ошибка: "не удается декодировать необработанные данные" (NSURLErrorDomain:-1015) У меня есть обратный вызов oauth2, определенный как:

http://localhost:3000/users/auth/linkedin/callback

Я не знаю, что здесь сломано.

Для Google:

translation missing: en.devise.authentications.user.failure

Новое представление регистраций просто обновляется, когда я нажимаю на эту ссылку, и в сообщении об ошибке говорится выше. Я тоже не знаю, что является причиной этой ошибки.

Каждая из ошибок отличается.

У меня в папке контроллеров есть папка с названием users. Внутри этого у меня есть два контроллера следующим образом:

Контроллер аутентификации:

class Users::AuthenticationsController < Devise::OmniauthCallbacksController
  before_action :set_authentication, only: [:destroy]

  def index
    @authentications = current_user.authentications if current_user
  end


  def create
    omniauth = request.env["omniauth.auth"]
    authentication = Authentication.find_by_provider_and_uid(omniauth['provider'], omniauth['uid'])
    if authentication
      sign_in_and_redirect_user(:user, authentication.user.profile)

    elsif current_user
      current_user.authentications.create!(:provider => omniauth['provider'], :uid => omniauth['uid'])
      redirect_to user.profile_url
    else
      user = User.new
      user.omniauth(omniauth)
      if user.save!
        sign_in_and_redirect_user(:user, user.profile)
      else
        session[:omniauth] = omniauth.except('extra')
        redirect_to new_user_registration_url
      end
    end  
  end

  def destroy
    @authentication.destroy
    respond_to do |format|
      format.html { redirect_to root_path }
      format.json { head :no_content }
    end
  end

  private
    # Use callbacks to share common setup or constraints between actions.
    def set_authentication
      @authentication = current_user.authentications.find(params[:id])
    end

конец

Контроллер регистрации:

class Users::RegistrationsController < Devise::RegistrationsController 
  #before_filter :check_permissions , :only => [ :new, :create, :cancel ] 
  #skip_before_filter :require_no_authentication 
  # before_action :configure_permitted_parameters, if: :devise_controller?

  def check_permissions
    authorize! :create, resource
  end

  def index
    if params[:approved] == "false"
      @users = User.find_all_by_approved(false)
    else
      @users = User.all
    end
  end

  def create
    super
    session[:omniauth] = nil unless @user.new_record?
  end

  # THIS IS A SUGGESTION FROM SITEPOINT TUTORIAL 
  # protected

  #   def configure_permitted_parameters
  #     devise_parameter_sanitizer.for(:sign_up) << [:first_name, :last_name]
  #   end


  private
    def user_params
          params.require(:user).permit(:first_name, :last_name, :email, :password )
    end

    def build_resource(*args)
        super
        if session[:omniauth]
        @user.apply_omniauth(session[:omniauth])
        @user.valid?
        end
    end  

end

User.rb имеет

devise
:omniauthable, :omniauth_providers => [:facebook, :linkedin, :twitter, :google_oauth2 ]


 has_many :authentications, :dependent => :delete_all


def apply_omniauth(omniauth)
        self.email = auth['extra']['raw_info']['email']
        authentications.build(:provider => omniauth['provider'], :uid => omniauth['uid'], :token => auth['credentials']['token'])
    end

def password_required?
  (authentications.empty? || !password.blank?) && super
end

В моем route.rb у меня есть:

  devise_for :users,
             :controllers => {
                :registrations => "users/registrations",
                :omniauth_callbacks => "users/authentications"
                # :omniauth_callbacks => 'users/omniauth_callbacks',
           }
  get '/auth/:provider/callback' => 'users/authentications#create'
  get '/sign_out', :to => 'users/authentications#destroy'         

В моем omniauth.rb у меня есть:

require 'omniauth-facebook'
require 'omniauth-google-oauth2'
require 'omniauth-twitter'



OmniAuth.config.logger = Rails.logger

Rails.application.config.middleware.use OmniAuth::Builder do
  provider :twitter, ENV['TWITTER_KEY'], ENV['TWITTER_SECRET']
end

Rails.application.config.middleware.use OmniAuth::Builder do
   provider :facebook, ENV['FACEBOOK_ID'], ENV['FACEBOOK_KEY'],
     :scope => 'public_profile', info_fields: 'id,first_name,last_name,link,email',
     :display => 'popup',
     :client_options => {:ssl => {:ca_file => '/usr/lib/ssl/certs/ca-certificates.crt'}}

end

Rails.application.config.middleware.use OmniAuth::Builder do
   provider :google_oauth2, ENV['YT_CLIENT_ID'], ENV['YT_CLIENT_SECRET'],
            scope: 'profile', image_aspect_ratio: 'square', image_size: 48,
            # {name: "google_login", approval_prompt: ''},
            access_type: 'online'
            #ENV["GOOGLE_APP_ID"], ENV["GOOGLE_APP_SECRET"]
#   {
#         :name => "google",
#         :scope => "userinfo.email, userinfo.profile, plus.me, http://gdata.youtube.com",
#         :prompt => "select_account",
#         :image_aspect_ratio => "square",
#         :image_size => 50
#       }

end

Rails.application.config.middleware.use OmniAuth::Builder do
   if Rails.env == 'production'
     key = ENV["LINKEDIN_PRODUCTION_KEY"]
     secret = ENV["LINKEDIN_PRODUCTION_SECRET"]
   else
     key = "LINKEDIN_DEV_ID"
     secret = "LINKEDIN_DEV_KEY"
   end

   provider :linkedin, key, secret,
     :scope => "r_basicprofile r_emailaddress", 
     :field => ["id", "email-address", "first-name", "last-name" ],
     :client_options => {:ssl => {:ca_file => '/usr/lib/ssl/certs/ca-certificates.crt'}} 
end

В моих новых регистрационных / сеансовых просмотрах у меня есть:

<% if devise_mapping.omniauthable? %>
                            <%= link_to icon('facebook', id: 'facebookauth'), user_omniauth_authorize_path(:facebook) %>

                            <%= link_to  icon('google', id: 'googleauth'), user_omniauth_authorize_path(:google_oauth2) %>

                            <%= link_to icon('linkedin', id: 'linkedinauth'), user_omniauth_authorize_path(:linkedin) %>

                            <%= link_to icon('twitter', id: 'twitterauth'), user_omniauth_authorize_path(:twitter) %>
                        <% end %>   

Я думаю, что это как-то связано с отсутствием именованных стратегий в контроллере аутентификации. В других уроках я настроил следующее (теперь закомментировано из контроллера, потому что сейчас используется метод с именем apply_omniauth).

# def facebook
#   #   @user = User.find_for_facebook_oauth(request.env["omniauth.auth"])
#   #   if @user.persisted?
#   #     # @user.send_admin_mail
#   #     # @user.send_user_welcome_mail

#   #     sign_in @user, :event => :authentication #this will throw if @user is not activated

#   #     if @user.profile
#   #       redirect_to profile_path(@user.profile)
#   #     else
#   #       redirect_to new_profile_path
#   #     end

#   #     # sign_in_and_redirect @user, :event => :authentication #this will throw if @user is not activated
#   #     # set_flash_message(:notice, :success, :kind => "Facebook") if is_navigational_format?
#   #   else
#   #     session["devise.facebook_data"] = request.env["omniauth.auth"]
#   #     redirect_to root_path
#   #   end
#   # end


#   # def linkedin
#   #   @user = User.find_for_linkedin_oauth(request.env["omniauth.auth"])

#   #   if @user.persisted?
#   #     # @user.send_admin_mail
#   #     # @user.send_user_welcome_mail

#   #     sign_in @user, :event => :authentication

#   #     if @user.profile
#   #       redirect_to profile_path(@user.profile)
#   #     else
#   #       redirect_to new_profile_path
#   #     end
#   #     #  set_flash_message(:notice, :success, :kind => "LinkedIn") if is_navigational_format?
#   #   else
#   #     session["devise.linkedin_data"] = request.env["omniauth.auth"]
#   #     redirect_to root_path
#   #   end
#   # end


#   # def twitter
#   #   begin
#   #     @user = User.from_omniauth(request.env['omniauth.auth'])
#   #     session[:user_id] = @user.id
#   #     flash[:success] = "Welcome, #{@user.name}!"
#   #   rescue
#   #     flash[:warning] = "There was an error while trying to authenticate you..."
#   #   end
#   #   redirect_to new_profile_path #root_path
#   # end

#   # #
#   def google_oauth2
#      # You need to implement the method below in your model (e.g. app/models/user.rb)
#      @user = User.find_for_google_oauth2(request.env["omniauth.auth"], current_user)

#      if @user.persisted?
#         sign_in @user, :event => :authentication #this will throw if @user is not activated
#         if @user.profile
#           redirect_to profile_path(@user.profile)
#           flash[:notice] = I18n.t "devise.omniauth_callbacks.success", :kind => "Google"
#         else
#           redirect_to new_profile_path
#         end

#      else
#        session["devise.google_data"] = request.env["omniauth.auth"]
#        redirect_to new_user_registration_url
#      end
#   end

Прежде чем я полностью откажусь от настройки бросков рельсов, есть ли способ указать текущую структуру на указанных провайдеров, используя код, который у меня уже есть?

ДРУГАЯ ПОПЫТКА:

Поэтому я отказался от RailsCast. Я пытался следовать этому уроку:

http://willschenk.com/setting-up-devise-with-twitter-and-facebook-and-other-omniauth-schemes-without-email-addresses/

Меня смущает ссылка на добавление нового "класса" под названием FormUser. Я сделал новую модель с именем form_user.rb и добавил содержимое, как описано. Я использую Rails 4. Я не знаю, что означает atto-accessor, но у меня есть это в моем файле, как продемонстрировано. У меня нет соответствующего контроллера. У меня также нет ассоциаций, определенных в моей пользовательской модели (к которой, я думаю, это относится).

Во всяком случае, я следовал за настройкой и теперь получаю эту ошибку:

    TypeError
superclass mismatch for class OmniauthCallbacksController

Это то же самое для каждой из стратегий, определенных в моем приложении.

Кто-нибудь видел эту конкретную ошибку и есть какие-либо советы по ее устранению?

Единственное различие между моей настройкой и руководством заключается в том, что в моих контроллерах у меня есть папка с именем users, в которой у меня есть контроллер регистрации и контроллер omniauth_callbacks. Мои маршруты были скорректированы с учетом этого слоя.

devise_for :users, class_name: 'FormUser',
             :controllers => {
                :registrations => "users/registrations",
                # :omniauth_callbacks => "users/authentications"
                :omniauth_callbacks => 'users/omniauth_callbacks',
           }
  get '/auth/:provider/callback' => 'users/authentications#create'
  get '/authentications/sign_out', :to => 'users/authentications#destroy' 


  devise_scope :user do
    get '/users/auth/:provider/upgrade' => 'users/omniauth_callbacks#upgrade', as: :user_omniauth_upgrade
    get '/users/auth/:provider/setup', :to => 'users/omniauth_callbacks#setup'
  end

1 ответ

Если кто-то рвет на себе волосы, пытаясь понять это - у меня нет ответов на вопрос, как это сделать, но я знаю, что Railscasts настолько стар, что они бесполезны. Выше несколько частей кода, которые больше не соответствуют конфигурации gem. Следование этим учебникам не поможет вам. За последние 1,5 года я пытался следовать, по крайней мере, 20 различным учебным пособиям, и мне еще предстоит найти один, который я смогу найти для работы. Ошибки в приведении рельсов включают в себя перенаправление (больше не требуется ссылка на 'пользователя' среди многих других. Откажитесь, если вы полагаетесь на Rails Cast. Я был бы очень признателен, если у кого-нибудь есть понимание, где найти ТОК руководство.

Другие вопросы по тегам