discourse-openid-connect/lib/omniauth_open_id_connect.rb

252 lines
7.8 KiB
Ruby

# frozen_string_literal: true
require "omniauth-oauth2"
module ::OmniAuth
module OpenIDConnect
class DiscoveryError < Error
end
end
module Strategies
class OpenIDConnect < OmniAuth::Strategies::OAuth2
class NonceVerifyError < StandardError
end
class SubVerifyError < StandardError
end
option :scope, "openid"
option :discovery, true
option :discovery_document, nil
option :use_userinfo, true
option :error_handler, lambda { |error, message| nil } # Default no-op handler
option :verbose_logger, lambda { |message| nil } # Default no-op handler
option :passthrough_authorize_options, [:p]
option :passthrough_token_options, [:p]
option :claims, nil
option :client_options,
site: nil,
authorize_url: nil,
token_url: nil,
userinfo_endpoint: nil,
auth_scheme: :basic_auth
def verbose_log(message)
options.verbose_logger.call(message)
end
def discover!
discovery_document = options[:discovery_document]
if discovery_document.nil?
raise ::OmniAuth::OpenIDConnect::DiscoveryError.new("Discovery document is missing")
end
discovery_params = {
authorize_url: "authorization_endpoint",
token_url: "token_endpoint",
site: "issuer",
}
discovery_params.each do |internal_key, external_key|
val = discovery_document[external_key]
if val.nil? || val.empty?
raise ::OmniAuth::OpenIDConnect::DiscoveryError.new(
"missing discovery parameter #{external_key}",
)
end
options[:client_options][internal_key] = val
end
userinfo_endpoint =
options[:client_options][:userinfo_endpoint] = discovery_document[
"userinfo_endpoint"
].to_s
options.use_userinfo = false if userinfo_endpoint.nil? || userinfo_endpoint.empty?
if discovery_document["token_endpoint_auth_methods_supported"] &&
!discovery_document["token_endpoint_auth_methods_supported"].include?(
"client_secret_basic",
) &&
discovery_document["token_endpoint_auth_methods_supported"].include?(
"client_secret_post",
)
options[:client_options][:auth_scheme] = :request_body
end
end
def request_phase
begin
discover! if options[:discovery]
rescue ::OmniAuth::OpenIDConnect::DiscoveryError => e
return fail!(:openid_connect_discovery_error, e)
end
super
end
def authorize_params
super.tap do |params|
options[:passthrough_authorize_options].each do |k|
params[k] = request.params[k.to_s] if [nil, ""].exclude?(request.params[k.to_s])
end
params[:claims] = options[:claims] if options[:claims].present?
params[:scope] = options[:scope]
session["omniauth.nonce"] = params[:nonce] = SecureRandom.hex(32)
options[:passthrough_token_options].each do |k|
session["omniauth.param.#{k}"] = request.params[k.to_s] if [nil, ""].exclude?(
request.params[k.to_s],
)
end
end
end
def token_params
params = {}
options[:passthrough_token_options].each do |k|
val = session.delete("omniauth.param.#{k}")
params[k] = val if [nil, ""].exclude?(val)
end
super.merge(params)
end
def callback_phase
if request.params["error"] && request.params["error_description"] &&
response =
options.error_handler.call(
request.params["error"],
request.params["error_description"],
)
verbose_log("Error handled, redirecting\n\n#{response.to_yaml}")
return redirect(response)
end
begin
discover! if options[:discovery]
oauth2_callback_phase = super
return oauth2_callback_phase if env["omniauth.error"]
oauth2_callback_phase
rescue ::OmniAuth::OpenIDConnect::DiscoveryError => e
fail!(:openid_connect_discovery_error, e)
rescue ::JWT::DecodeError => e
fail!(:jwt_decode_failed, e)
rescue NonceVerifyError => e
fail!(:jwt_nonce_verify_failed, e)
rescue SubVerifyError => e
fail!(:openid_connect_sub_mismatch, e)
end
end
def id_token_info
# Verify the claims in the JWT
# The signature does not need to be verified because the
# token was acquired via a direct server-server connection to the issuer
@id_token_info ||=
begin
decoded = ::JWT.decode(access_token["id_token"], nil, false).first
verbose_log("Loaded JWT\n\n#{decoded.to_yaml}")
::JWT::Verify.verify_claims(
decoded,
verify_iss: true,
iss: options[:client_options][:site],
verify_aud: true,
aud: options.client_id,
verify_sub: false,
verify_expiration: true,
verify_not_before: true,
verify_iat: false,
verify_jti: false,
)
if decoded["nonce"].nil? || decoded["nonce"].empty? ||
decoded["nonce"] != session.delete("omniauth.nonce")
raise NonceVerifyError.new "JWT nonce is missing, or does not match"
end
verbose_log("Verified JWT\n\n#{decoded.to_yaml}")
decoded
end
end
def userinfo_response
@raw_info ||=
begin
info = access_token.get(options[:client_options][:userinfo_endpoint]).parsed
verbose_log("Fetched userinfo response\n\n#{info.to_yaml}")
info
end
userinfo_sub = @raw_info["sub"]
id_token_sub = id_token_info["sub"]
if userinfo_sub != id_token_sub
raise SubVerifyError.new(
"OIDC `sub` mismatch. ID Token value: #{id_token_sub.inspect}. UserInfo value: #{userinfo_sub.inspect}",
)
end
@raw_info
end
uid { id_token_info["sub"] }
info do
data_source = options.use_userinfo ? userinfo_response : id_token_info
prune!(
name: data_source["name"],
email: data_source["email"],
first_name: data_source["given_name"],
last_name: data_source["family_name"],
nickname: data_source["preferred_username"],
image: data_source["picture"],
)
end
extra do
hash = {}
hash[:raw_info] = options.use_userinfo ? userinfo_response : id_token_info
hash[:id_token] = access_token["id_token"]
prune! hash
end
private
def callback_url
full_host + script_name + callback_path
end
def get_token_options
{
redirect_uri: callback_url,
grant_type: "authorization_code",
code: request.params["code"],
client_id: options[:client_id],
client_secret: options[:client_secret],
}.merge(token_params.to_hash(symbolize_keys: true))
end
def prune!(hash)
hash.delete_if do |_, v|
prune!(v) if v.is_a?(Hash)
v.nil? || (v.respond_to?(:empty?) && v.empty?)
end
end
protected
def build_access_token
return super if options.use_userinfo
response =
client.request(:post, options[:client_options][:token_url], body: get_token_options)
::OAuth2::AccessToken.from_hash(client, response.parsed)
end
end
end
end
OmniAuth.config.add_camelization "openid_connect", "OpenIDConnect"