2020-07-05 18:46:41 +00:00
|
|
|
import * as config from "./config";
|
|
|
|
import fetch, { Response as FetchResponse } from "node-fetch";
|
|
|
|
|
2020-08-14 18:37:24 +00:00
|
|
|
export interface TokenPair {
|
2020-07-05 18:46:41 +00:00
|
|
|
access_token: string;
|
|
|
|
refresh_token: string;
|
|
|
|
}
|
|
|
|
|
2020-08-14 18:37:24 +00:00
|
|
|
// Refresh the API token. Returns true on success and false on failure.
|
|
|
|
async function refreshApiToken(tokens: TokenPair): Promise<boolean> {
|
|
|
|
return fetch("https://id.twitch.tv/oauth2/token", {
|
|
|
|
method: 'POST',
|
|
|
|
body: new URLSearchParams({
|
|
|
|
client_id: config.twitchClientId,
|
|
|
|
client_secret: config.twitchSecret,
|
|
|
|
grant_type: "refresh_token",
|
|
|
|
refresh_token: tokens.refresh_token
|
|
|
|
})
|
|
|
|
}).then(async (res: FetchResponse) => {
|
|
|
|
if (res.status == 200) {
|
|
|
|
var data = await (res.json() as Promise<TokenPair>);
|
|
|
|
console.log(data)
|
|
|
|
tokens.access_token = data.access_token;
|
|
|
|
tokens.refresh_token = data.refresh_token;
|
|
|
|
return true;
|
|
|
|
} else {
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
})
|
2020-07-05 18:46:41 +00:00
|
|
|
}
|
|
|
|
|
2020-08-14 18:37:24 +00:00
|
|
|
// Send an API request. On success, return the specified data. On failure,
|
|
|
|
// attempt to refresh the API token and retry
|
|
|
|
export async function apiRequest(tokens: TokenPair, endpoint: string): Promise <any> {
|
2020-07-05 18:46:41 +00:00
|
|
|
var headers = {
|
|
|
|
"Authorization": "Bearer " + tokens.access_token,
|
|
|
|
"Client-ID": config.twitchClientId
|
|
|
|
};
|
2020-08-14 18:37:24 +00:00
|
|
|
return fetch("https://api.twitch.tv/helix" + endpoint, { headers: headers })
|
|
|
|
.then((res: FetchResponse) => {
|
|
|
|
if (res.status == 200) {
|
|
|
|
return res.json();
|
|
|
|
} else {
|
|
|
|
if (refreshApiToken(tokens)) {
|
|
|
|
return fetch("https://api.twitch.tv/helix" + endpoint, { headers: headers })
|
|
|
|
.then((res: FetchResponse) => {
|
|
|
|
if (res.status == 200) {
|
|
|
|
return res.json();
|
|
|
|
} else {
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
})
|
|
|
|
} else {
|
|
|
|
return false;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
// Check if API token is valid. Checks Twitch's OAuth validation endpoint. If
|
|
|
|
// success, return true. If failure, return the result of attempting to refresh
|
|
|
|
// the API token.
|
|
|
|
export async function isApiTokenValid(tokens: TokenPair) {
|
|
|
|
return fetch("https://id.twitch.tv/oauth2/validate", {
|
|
|
|
headers: {'Authorization': `OAuth ${tokens.access_token}`}
|
|
|
|
}).then((res: FetchResponse) => {
|
|
|
|
if (res.status == 200) {
|
|
|
|
return true;
|
|
|
|
} else {
|
|
|
|
return refreshApiToken(tokens);
|
|
|
|
}
|
|
|
|
})
|
2020-07-05 18:46:41 +00:00
|
|
|
}
|