-
Notifications
You must be signed in to change notification settings - Fork 266
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
1 parent
655403a
commit dbf0327
Showing
4 changed files
with
228 additions
and
148 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,203 @@ | ||
import { HUB_URL } from "../consts"; | ||
import { createApiError } from "../error"; | ||
|
||
export interface OAuthResult { | ||
accessToken: string; | ||
accessTokenExpiresAt: Date; | ||
userInfo: { | ||
id: string; | ||
name: string; | ||
fullname: string; | ||
email?: string; | ||
emailVerified?: boolean; | ||
avatarUrl: string; | ||
websiteUrl?: string; | ||
isPro: boolean; | ||
orgs: Array<{ | ||
name: string; | ||
isEnterprise: boolean; | ||
}>; | ||
}; | ||
/** | ||
* State passed to the OAuth provider in the original request to the OAuth provider. | ||
*/ | ||
state?: string; | ||
/** | ||
* Granted scope | ||
*/ | ||
scope: string; | ||
} | ||
|
||
/** | ||
* To call after the OAuth provider redirects back to the app. | ||
*/ | ||
export async function oauthHandleRedirect(opts?: { hubUrl?: string }): Promise<OAuthResult> { | ||
if (typeof window === "undefined") { | ||
throw new Error("oauthHandleRedirect is only available in the browser"); | ||
} | ||
|
||
const searchParams = new URLSearchParams(window.location.search); | ||
|
||
const [error, errorDescription] = [searchParams.get("error"), searchParams.get("error_description")]; | ||
|
||
if (error) { | ||
throw new Error(`${error}: ${errorDescription}`); | ||
} | ||
|
||
const code = searchParams.get("code"); | ||
const nonce = localStorage.getItem("huggingface.co:oauth:nonce"); | ||
|
||
if (!code) { | ||
throw new Error("Missing oauth code from query parameters in redirected URL"); | ||
} | ||
|
||
if (!nonce) { | ||
throw new Error("Missing oauth nonce from localStorage"); | ||
} | ||
|
||
const codeVerifier = localStorage.getItem("huggingface.co:oauth:code_verifier"); | ||
|
||
if (!codeVerifier) { | ||
throw new Error("Missing oauth code_verifier from localStorage"); | ||
} | ||
|
||
const state = searchParams.get("state"); | ||
|
||
if (!state) { | ||
throw new Error("Missing oauth state from query parameters in redirected URL"); | ||
} | ||
|
||
let parsedState: { nonce: string; redirectUri: string; state?: string }; | ||
|
||
try { | ||
parsedState = JSON.parse(state); | ||
} catch { | ||
throw new Error("Invalid oauth state in redirected URL, unable to parse JSON: " + state); | ||
} | ||
|
||
if (parsedState.nonce !== nonce) { | ||
throw new Error("Invalid oauth state in redirected URL"); | ||
} | ||
|
||
const hubUrl = opts?.hubUrl || HUB_URL; | ||
|
||
const openidConfigUrl = `${new URL(hubUrl).origin}/.well-known/openid-configuration`; | ||
const openidConfigRes = await fetch(openidConfigUrl, { | ||
headers: { | ||
Accept: "application/json", | ||
}, | ||
}); | ||
|
||
if (!openidConfigRes.ok) { | ||
throw await createApiError(openidConfigRes); | ||
} | ||
|
||
const opendidConfig: { | ||
authorization_endpoint: string; | ||
token_endpoint: string; | ||
userinfo_endpoint: string; | ||
} = await openidConfigRes.json(); | ||
|
||
const tokenRes = await fetch(opendidConfig.token_endpoint, { | ||
method: "POST", | ||
headers: { | ||
"Content-Type": "application/x-www-form-urlencoded", | ||
}, | ||
body: new URLSearchParams({ | ||
grant_type: "authorization_code", | ||
code, | ||
redirect_uri: parsedState.redirectUri, | ||
code_verifier: codeVerifier, | ||
}).toString(), | ||
}); | ||
|
||
localStorage.removeItem("huggingface.co:oauth:code_verifier"); | ||
localStorage.removeItem("huggingface.co:oauth:nonce"); | ||
|
||
if (!tokenRes.ok) { | ||
throw await createApiError(tokenRes); | ||
} | ||
|
||
const token: { | ||
access_token: string; | ||
expires_in: number; | ||
id_token: string; | ||
// refresh_token: string; | ||
scope: string; | ||
token_type: string; | ||
} = await tokenRes.json(); | ||
|
||
const accessTokenExpiresAt = new Date(Date.now() + token.expires_in * 1000); | ||
|
||
const userInfoRes = await fetch(opendidConfig.userinfo_endpoint, { | ||
headers: { | ||
Authorization: `Bearer ${token.access_token}`, | ||
}, | ||
}); | ||
|
||
if (!userInfoRes.ok) { | ||
throw await createApiError(userInfoRes); | ||
} | ||
|
||
const userInfo: { | ||
sub: string; | ||
name: string; | ||
preferred_username: string; | ||
email_verified?: boolean; | ||
email?: string; | ||
picture: string; | ||
website?: string; | ||
isPro: boolean; | ||
orgs?: Array<{ | ||
name: string; | ||
isEnterprise: boolean; | ||
}>; | ||
} = await userInfoRes.json(); | ||
|
||
return { | ||
accessToken: token.access_token, | ||
accessTokenExpiresAt, | ||
userInfo: { | ||
id: userInfo.sub, | ||
name: userInfo.name, | ||
fullname: userInfo.preferred_username, | ||
email: userInfo.email, | ||
emailVerified: userInfo.email_verified, | ||
avatarUrl: userInfo.picture, | ||
websiteUrl: userInfo.website, | ||
isPro: userInfo.isPro, | ||
orgs: userInfo.orgs || [], | ||
}, | ||
state: parsedState.state, | ||
scope: token.scope, | ||
}; | ||
} | ||
|
||
// if (code && !nonce) { | ||
// console.warn("Missing oauth nonce from localStorage"); | ||
// } | ||
|
||
export async function oauthHandleRedirectIfPresent(opts?: { hubUrl?: string }): Promise<OAuthResult | false> { | ||
if (typeof window === "undefined") { | ||
throw new Error("oauthHandleRedirect is only available in the browser"); | ||
} | ||
|
||
const searchParams = new URLSearchParams(window.location.search); | ||
|
||
if (searchParams.has("error")) { | ||
return oauthHandleRedirect(opts); | ||
} | ||
|
||
if (searchParams.has("code")) { | ||
if (!localStorage.getItem("huggingface.co:oauth:nonce")) { | ||
console.warn( | ||
"Missing oauth nonce from localStorage. This can happen when the user refreshes the page after logging in, without changing the URL." | ||
); | ||
return false; | ||
} | ||
|
||
return oauthHandleRedirect(opts); | ||
} | ||
|
||
return false; | ||
} |
Oops, something went wrong.