@auth0/auth0-spa-js
Version:
Auth0 SDK for Single Page Applications using Authorization Code Grant Flow with PKCE
130 lines (114 loc) • 4.07 kB
text/typescript
import * as qs from 'qs';
const TIMEOUT_ERROR = { error: 'timeout', error_description: 'Timeout' };
export const getUniqueScopes = (...scopes: string[]) => {
const scopeString = scopes.filter(Boolean).join();
return Array.from(new Set(scopeString.replace(/\s/g, ',').split(',')))
.join(' ')
.trim();
};
export const parseQueryResult = (hash: string) => {
var hashed = qs.parse(hash);
return <AuthenticationResult>{
...hashed,
expires_in: parseInt(hashed.expires_in)
};
};
export const runIframe = (authorizeUrl: string, eventOrigin: string) => {
return new Promise<AuthenticationResult>((res, rej) => {
var iframe = window.document.createElement('iframe');
iframe.setAttribute('width', '0');
iframe.setAttribute('height', '0');
iframe.style.display = 'none';
const timeoutSetTimeoutId = setTimeout(() => {
rej(TIMEOUT_ERROR);
window.document.body.removeChild(iframe);
}, 60 * 1000);
const iframeEventHandler = function(e: MessageEvent) {
if (e.origin != eventOrigin) return;
if (!e.data || e.data.type !== 'authorization_response') return;
(<any>e.source).close();
e.data.response.error ? rej(e.data.response) : res(e.data.response);
clearTimeout(timeoutSetTimeoutId);
window.removeEventListener('message', iframeEventHandler, false);
window.document.body.removeChild(iframe);
};
window.addEventListener('message', iframeEventHandler, false);
window.document.body.appendChild(iframe);
iframe.setAttribute('src', authorizeUrl);
});
};
export const openPopup = () => {
const popup = window.open(
'',
'auth0:authorize:popup',
'left=100,top=100,width=400,height=600,resizable,scrollbars=yes,status=1'
);
if (!popup) {
throw new Error('Could not open popup');
}
return popup;
};
export const runPopup = (popup: any, authorizeUrl: string) => {
popup.location.href = authorizeUrl;
return new Promise<AuthenticationResult>((resolve, reject) => {
const timeoutId = setTimeout(() => {
reject(TIMEOUT_ERROR);
}, 60 * 1000);
window.addEventListener('message', e => {
if (!e.data || e.data.type !== 'authorization_response') {
return;
}
clearTimeout(timeoutId);
popup.close();
if (e.data.response.error) {
return reject(e.data.response);
}
resolve(e.data.response);
});
});
};
export const createRandomString = () => {
const charset =
'0123456789ABCDEFGHIJKLMNOPQRSTUVXYZabcdefghijklmnopqrstuvwxyz-_~.';
let random = '';
const randomValues = <Uint8Array>crypto.getRandomValues(new Uint8Array(43));
randomValues.forEach(v => (random += charset[v % charset.length]));
return random;
};
export const encodeState = (state: string) => btoa(state);
export const decodeState = (state: string) => atob(state);
export const createQueryParams = (params: any) => qs.stringify(params);
export const sha256 = (s: string) =>
window.crypto.subtle.digest({ name: 'SHA-256' }, new TextEncoder().encode(s));
const urlEncodeB64 = (input: string) => {
const b64Chars = { '+': '-', '/': '_', '=': '' };
return input.replace(/[\+\/=]/g, (m: string) => b64Chars[m]);
};
// https://stackoverflow.com/questions/30106476/
const decodeB64 = input =>
decodeURIComponent(
atob(input)
.split('')
.map(c => {
return '%' + ('00' + c.charCodeAt(0).toString(16)).slice(-2);
})
.join('')
);
export const urlDecodeB64 = (input: string) =>
decodeB64(input.replace(/_/g, '/').replace(/-/g, '+'));
export const bufferToBase64UrlEncoded = input =>
urlEncodeB64(
window.btoa(String.fromCharCode(...Array.from(new Uint8Array(input))))
);
export const oauthToken = async ({ baseUrl, ...options }: OAuthTokenOptions) =>
await fetch(`${baseUrl}/oauth/token`, {
method: 'POST',
body: JSON.stringify({
grant_type: 'authorization_code',
redirect_uri: window.location.origin,
...options
}),
headers: {
'Content-type': 'application/json'
}
}).then(r => r.json());