在Rails中,当使用Omniauth LinkedIn Devise进行用户身份验证时,如果LinkedIn返回的用户数据中缺少"uid"字段,会导致ActiveRecord::RecordInvalid异常,提示"Uid不能为空"。
要解决这个问题,可以通过自定义Omniauth回调控制器来处理异常并提供默认值。
首先,创建一个名为"omniauth_callbacks_controller.rb"的文件,放置在app/controllers/users目录下。在该文件中,编写以下代码:
class Users::OmniauthCallbacksController < Devise::OmniauthCallbacksController
def linkedin
auth = request.env["omniauth.auth"]
if auth["uid"].blank?
flash[:alert] = "LinkedIn UID不能为空,请重新登录。"
redirect_to new_user_session_path
else
@user = User.from_omniauth(auth)
sign_in_and_redirect @user, event: :authentication
end
end
end
上述代码中,我们在linkedin回调方法中检查LinkedIn返回的auth哈希是否包含"uid"字段。如果uid字段为空,则重定向到登录页面,并显示错误消息。否则,我们通过调用User模型中的from_omniauth方法创建或查找用户,并使用sign_in_and_redirect方法进行用户登录。
接下来,在config/routes.rb文件中添加以下代码:
devise_for :users, controllers: { omniauth_callbacks: 'users/omniauth_callbacks' }
上述代码将告诉Devise使用我们自定义的Omniauth回调控制器。
最后,确保User模型中存在from_omniauth方法,用于创建或查找用户。这个方法将根据LinkedIn返回的auth哈希中的数据创建用户对象。
class User < ApplicationRecord
# ...
def self.from_omniauth(auth)
where(provider: auth.provider, uid: auth.uid).first_or_create do |user|
# 设置用户的其他属性
end
end
# ...
end
通过上述步骤,我们可以在LinkedIn登录时处理"uid不能为空"的异常,并提供自定义的错误消息。