vue3-keycloak/src/index.js
2023-03-09 19:15:38 +01:00

232 lines
7.9 KiB
JavaScript

import Keycloak from 'keycloak-js'
let installed = false
export const KeycloakSymbol = Symbol('keycloak')
import * as vue from 'vue'
export default {
install: async function() {
if (installed) return
installed = true
const defaultParams = {
config: window.__BASEURL__ ? `${window.__BASEURL__}/config` : '/config',
init: { onLoad: 'login-required' },
}
const options = Object.assign({}, defaultParams, params)
if (assertOptions(options).hasError)
throw new Error(`Invalid options given: ${assertOptions(options).error}`)
const watch = await vue2AndVue3Reactive(
app,
defaultEmptyVueKeycloakInstance()
)
getConfig(options.config)
.then((config) => {
init(config, watch, options)
})
.catch((err) => {
console.log(err)
})
},
KeycloakSymbol
}
function defaultEmptyVueKeycloakInstance() {
return {
ready: false,
authenticated: false,
userName: undefined,
fullName: undefined,
token: undefined,
tokenParsed: undefined,
logoutFn: undefined,
loginFn: undefined,
login: undefined,
createLoginUrl: undefined,
createLogoutUrl: undefined,
createRegisterUrl: undefined,
register: undefined,
accountManagement: undefined,
createAccountUrl: undefined,
loadUserProfile: undefined,
subject: undefined,
idToken: undefined,
idTokenParsed: undefined,
realmAccess: undefined,
resourceAccess: undefined,
refreshToken: undefined,
refreshTokenParsed: undefined,
timeSkew: undefined,
responseMode: undefined,
responseType: undefined,
hasRealmRole: undefined,
hasResourceRole: undefined,
keycloak: undefined,
}
}
function vue2AndVue3Reactive(app, object) {
return new Promise((resolve, reject) => {
// Vue 3
// Assign an object immediately to allow usage of $keycloak in view
//const vue = await import('vue')
// Async load module to allow vue 2 to not have the dependency.
const reactiveObj = vue.reactive(object)
// Override the existing reactiveObj so references contains the new reactive values
app.config.globalProperties.$keycloak = reactiveObj
// Use provide/inject in Vue3 apps
app.provide(KeycloakSymbol, reactiveObj)
resolve(reactiveObj)
})
}
function init(config, watch, options) {
const keycloak = new Keycloak(config)
const { updateInterval } = options
keycloak.onReady = function (authenticated) {
updateWatchVariables(authenticated)
watch.ready = true
typeof options.onReady === 'function' && options.onReady(keycloak, watch)
}
keycloak.onAuthSuccess = function () {
// Check token validity every 10 seconds (10 000 ms) and, if necessary, update the token.
// Refresh token if it's valid for less than 60 seconds
const updateTokenInterval = setInterval(
() =>
keycloak.updateToken(60).catch(() => {
keycloak.clearToken()
}),
updateInterval ?? 10000
)
watch.logoutFn = () => {
clearInterval(updateTokenInterval)
keycloak.logout(options.logout)
}
}
keycloak.onAuthRefreshSuccess = function () {
updateWatchVariables(true)
typeof options.onAuthRefreshSuccess === 'function' &&
options.onAuthRefreshSuccess(keycloak)
}
keycloak.onAuthRefreshError = function () {
updateWatchVariables(false)
typeof options.onAuthRefreshError === 'function' &&
options.onAuthRefreshError(keycloak)
}
keycloak
.init(options.init)
.then((authenticated) => {
updateWatchVariables(authenticated)
typeof options.onInitSuccess === 'function' &&
options.onInitSuccess(authenticated)
})
.catch((err) => {
updateWatchVariables(false)
const error = Error('Failure during initialization of keycloak-js adapter')
typeof options.onInitError === 'function'
? options.onInitError(error, err)
: console.error(error, err)
})
function updateWatchVariables(isAuthenticated = false) {
watch.authenticated = isAuthenticated
watch.loginFn = keycloak.login
watch.login = keycloak.login
watch.createLoginUrl = keycloak.createLoginUrl
watch.createLogoutUrl = keycloak.createLogoutUrl
watch.createRegisterUrl = keycloak.createRegisterUrl
watch.register = keycloak.register
watch.keycloak = keycloak
if (isAuthenticated) {
watch.accountManagement = keycloak.accountManagement
watch.createAccountUrl = keycloak.createAccountUrl
watch.hasRealmRole = keycloak.hasRealmRole
watch.hasResourceRole = keycloak.hasResourceRole
watch.loadUserProfile = keycloak.loadUserProfile
watch.token = keycloak.token
watch.subject = keycloak.subject
watch.idToken = keycloak.idToken
watch.idTokenParsed = keycloak.idTokenParsed
watch.realmAccess = keycloak.realmAccess
watch.resourceAccess = keycloak.resourceAccess
watch.refreshToken = keycloak.refreshToken
watch.refreshTokenParsed = keycloak.refreshTokenParsed
watch.timeSkew = keycloak.timeSkew
watch.responseMode = keycloak.responseMode
watch.responseType = keycloak.responseType
watch.tokenParsed = keycloak.tokenParsed
watch.userName = (keycloak.tokenParsed)['preferred_username']
watch.fullName = (keycloak.tokenParsed)['name']
}
}
}
function assertOptions(options) {
const { config, init, onReady, onInitError, onAuthRefreshError } = options
if (typeof config !== 'string' && !_isObject(config)) {
return {
hasError: true,
error: `'config' option must be a string or an object. Found: '${config}'`,
}
}
if (!_isObject(init) || typeof init.onLoad !== 'string') {
return {
hasError: true,
error: `'init' option must be an object with an 'onLoad' property. Found: '${init}'`,
}
}
if (onReady && typeof onReady !== 'function') {
return {
hasError: true,
error: `'onReady' option must be a function. Found: '${onReady}'`,
}
}
if (onInitError && typeof onInitError !== 'function') {
return {
hasError: true,
error: `'onInitError' option must be a function. Found: '${onInitError}'`,
}
}
if (onAuthRefreshError && typeof onAuthRefreshError !== 'function') {
return {
hasError: true,
error: `'onAuthRefreshError' option must be a function. Found: '${onAuthRefreshError}'`,
}
}
return {
hasError: false,
error: null,
}
}
function _isObject(obj) {
return (
obj !== null &&
typeof obj === 'object' &&
Object.prototype.toString.call(obj) !== '[object Array]'
)
}
function getConfig(config) {
if (_isObject(config)) return Promise.resolve(config)
return new Promise((resolve, reject) => {
const xhr = new XMLHttpRequest()
xhr.open('GET', config)
xhr.setRequestHeader('Accept', 'application/json')
xhr.onreadystatechange = () => {
if (xhr.readyState === 4) {
if (xhr.status === 200) {
resolve(JSON.parse(xhr.responseText))
} else {
reject(Error(xhr.statusText))
}
}
}
xhr.send()
})
}