Change printWidth to 100

This commit is contained in:
dangered wolf 2023-09-10 19:16:23 -04:00
parent e36b94bb0b
commit 0c2f1b04f9
No known key found for this signature in database
GPG key ID: 41E4D37680ED8B58
18 changed files with 52 additions and 160 deletions

View file

@ -3,7 +3,7 @@
"semi": true, "semi": true,
"trailingComma": "none", "trailingComma": "none",
"tabWidth": 2, "tabWidth": 2,
"printWidth": 90, "printWidth": 100,
"arrowParens": "avoid", "arrowParens": "avoid",
"quoteProps": "consistent" "quoteProps": "consistent"
} }

View file

@ -22,9 +22,7 @@ try {
.toString() .toString()
.match(/name ?= ?"(.+?)"/)[1]; .match(/name ?= ?"(.+?)"/)[1];
} catch (e) { } catch (e) {
console.error( console.error(`Error reading wrangler.toml to find worker name, using 'fixtweet' instead.`);
`Error reading wrangler.toml to find worker name, using 'fixtweet' instead.`
);
} }
const releaseName = `${workerName}-${gitBranch}-${gitCommit}-${new Date() const releaseName = `${workerName}-${gitBranch}-${gitCommit}-${new Date()

View file

@ -86,8 +86,7 @@ const populateTweetProperties = async (
const noteTweetText = tweet.note_tweet?.note_tweet_results?.result?.text; const noteTweetText = tweet.note_tweet?.note_tweet_results?.result?.text;
if (noteTweetText) { if (noteTweetText) {
tweet.legacy.entities.urls = tweet.legacy.entities.urls = tweet.note_tweet?.note_tweet_results?.result?.entity_set.urls;
tweet.note_tweet?.note_tweet_results?.result?.entity_set.urls;
tweet.legacy.entities.hashtags = tweet.legacy.entities.hashtags =
tweet.note_tweet?.note_tweet_results?.result?.entity_set.hashtags; tweet.note_tweet?.note_tweet_results?.result?.entity_set.hashtags;
tweet.legacy.entities.symbols = tweet.legacy.entities.symbols =
@ -178,17 +177,9 @@ const populateTweetProperties = async (
} }
/* If a language is specified in API or by user, let's try translating it! */ /* If a language is specified in API or by user, let's try translating it! */
if ( if (typeof language === 'string' && language.length === 2 && language !== tweet.legacy.lang) {
typeof language === 'string' &&
language.length === 2 &&
language !== tweet.legacy.lang
) {
console.log(`Attempting to translate Tweet to ${language}...`); console.log(`Attempting to translate Tweet to ${language}...`);
const translateAPI = await translateTweet( const translateAPI = await translateTweet(tweet, conversation.guestToken || '', language);
tweet,
conversation.guestToken || '',
language
);
if (translateAPI !== null && translateAPI?.translation) { if (translateAPI !== null && translateAPI?.translation) {
apiTweet.translation = { apiTweet.translation = {
text: unescapeText(linkFixer(tweet, translateAPI?.translation || '')), text: unescapeText(linkFixer(tweet, translateAPI?.translation || '')),
@ -287,20 +278,12 @@ export const statusAPI = async (
} }
/* Creating the response objects */ /* Creating the response objects */
const response: TweetAPIResponse = { code: 200, message: 'OK' } as TweetAPIResponse; const response: TweetAPIResponse = { code: 200, message: 'OK' } as TweetAPIResponse;
const apiTweet: APITweet = (await populateTweetProperties( const apiTweet: APITweet = (await populateTweetProperties(tweet, res, language)) as APITweet;
tweet,
res,
language
)) as APITweet;
/* We found a quote tweet, let's process that too */ /* We found a quote tweet, let's process that too */
const quoteTweet = tweet.quoted_status_result; const quoteTweet = tweet.quoted_status_result;
if (quoteTweet) { if (quoteTweet) {
apiTweet.quote = (await populateTweetProperties( apiTweet.quote = (await populateTweetProperties(quoteTweet, res, language)) as APITweet;
quoteTweet,
res,
language
)) as APITweet;
} }
/* Finally, staple the Tweet to the response and return it */ /* Finally, staple the Tweet to the response and return it */

View file

@ -342,18 +342,14 @@ export const handleStatus = async (
A possible explanation for this weird behavior is due to the Medium template we are forced to use because Telegram IV is not an open platform A possible explanation for this weird behavior is due to the Medium template we are forced to use because Telegram IV is not an open platform
and we have to pretend to be Medium in order to get working IV, but haven't figured if the template is causing issues. */ and we have to pretend to be Medium in order to get working IV, but haven't figured if the template is causing issues. */
const text = useIV const text = useIV ? sanitizeText(newText).replace(/\n/g, '<br>') : sanitizeText(newText);
? sanitizeText(newText).replace(/\n/g, '<br>')
: sanitizeText(newText);
/* Push basic headers relating to author, Tweet text, and site name */ /* Push basic headers relating to author, Tweet text, and site name */
headers.push( headers.push(
`<meta property="og:title" content="${tweet.author.name} (@${tweet.author.screen_name})"/>`, `<meta property="og:title" content="${tweet.author.name} (@${tweet.author.screen_name})"/>`,
`<meta property="og:description" content="${text}"/>`, `<meta property="og:description" content="${text}"/>`,
`<meta property="og:site_name" content="${siteName}"/>`, `<meta property="og:site_name" content="${siteName}"/>`,
`<meta property="twitter:card" content="${ `<meta property="twitter:card" content="${tweet.quote?.twitter_card || tweet.twitter_card}"/>`
tweet.quote?.twitter_card || tweet.twitter_card
}"/>`
); );
/* Special reply handling if authorText is not overriden */ /* Special reply handling if authorText is not overriden */

View file

@ -18,8 +18,7 @@ const Experiments: { [key in Experiment]: ExperimentConfig } = {
export const experimentCheck = (experiment: Experiment, condition = true) => { export const experimentCheck = (experiment: Experiment, condition = true) => {
console.log(`Checking experiment ${experiment}`); console.log(`Checking experiment ${experiment}`);
const experimentEnabled = const experimentEnabled = Experiments[experiment].percentage > Math.random() && condition;
Experiments[experiment].percentage > Math.random() && condition;
console.log(`Experiment ${experiment} enabled: ${experimentEnabled}`); console.log(`Experiment ${experiment} enabled: ${experimentEnabled}`);
return experimentEnabled; return experimentEnabled;
}; };

View file

@ -41,18 +41,15 @@ export const twitterFetch = async (
...Constants.BASE_HEADERS ...Constants.BASE_HEADERS
}; };
const guestTokenRequest = new Request( const guestTokenRequest = new Request(`${Constants.TWITTER_API_ROOT}/1.1/guest/activate.json`, {
`${Constants.TWITTER_API_ROOT}/1.1/guest/activate.json`, method: 'POST',
{ headers: tokenHeaders,
method: 'POST', cf: {
headers: tokenHeaders, cacheEverything: true,
cf: { cacheTtl: Constants.GUEST_TOKEN_MAX_AGE
cacheEverything: true, },
cacheTtl: Constants.GUEST_TOKEN_MAX_AGE body: ''
}, });
body: ''
}
);
/* A dummy version of the request only used for Cloudflare caching purposes. /* A dummy version of the request only used for Cloudflare caching purposes.
The reason it exists at all is because Cloudflare won't cache POST requests. */ The reason it exists at all is because Cloudflare won't cache POST requests. */
@ -150,9 +147,7 @@ export const twitterFetch = async (
headers: headers headers: headers
}); });
const performanceEnd = performance.now(); const performanceEnd = performance.now();
console.log( console.log(`Elongator request successful after ${performanceEnd - performanceStart}ms`);
`Elongator request successful after ${performanceEnd - performanceStart}ms`
);
} else { } else {
const performanceStart = performance.now(); const performanceStart = performance.now();
apiRequest = await fetch(url, { apiRequest = await fetch(url, {
@ -160,9 +155,7 @@ export const twitterFetch = async (
headers: headers headers: headers
}); });
const performanceEnd = performance.now(); const performanceEnd = performance.now();
console.log( console.log(`Guest API request successful after ${performanceEnd - performanceStart}ms`);
`Guest API request successful after ${performanceEnd - performanceStart}ms`
);
} }
response = await apiRequest?.json(); response = await apiRequest?.json();
@ -172,9 +165,7 @@ export const twitterFetch = async (
console.error('Unknown error while fetching from API', e); console.error('Unknown error while fetching from API', e);
!useElongator && !useElongator &&
event && event &&
event.waitUntil( event.waitUntil(cache.delete(guestTokenRequestCacheDummy.clone(), { ignoreMethod: true }));
cache.delete(guestTokenRequestCacheDummy.clone(), { ignoreMethod: true })
);
if (useElongator) { if (useElongator) {
console.log('Elongator request failed, trying again without it'); console.log('Elongator request failed, trying again without it');
wasElongatorDisabled = true; wasElongatorDisabled = true;
@ -199,17 +190,13 @@ export const twitterFetch = async (
continue; continue;
} }
const remainingRateLimit = parseInt( const remainingRateLimit = parseInt(apiRequest.headers.get('x-rate-limit-remaining') || '0');
apiRequest.headers.get('x-rate-limit-remaining') || '0'
);
console.log(`Remaining rate limit: ${remainingRateLimit} requests`); console.log(`Remaining rate limit: ${remainingRateLimit} requests`);
/* Running out of requests within our rate limit, let's purge the cache */ /* Running out of requests within our rate limit, let's purge the cache */
if (!useElongator && remainingRateLimit < 10) { if (!useElongator && remainingRateLimit < 10) {
console.log(`Purging token on this edge due to low rate limit remaining`); console.log(`Purging token on this edge due to low rate limit remaining`);
event && event &&
event.waitUntil( event.waitUntil(cache.delete(guestTokenRequestCacheDummy.clone(), { ignoreMethod: true }));
cache.delete(guestTokenRequestCacheDummy.clone(), { ignoreMethod: true })
);
} }
if (!validateFunction(response)) { if (!validateFunction(response)) {

View file

@ -8,10 +8,7 @@ export const renderCard = (
return {}; return {};
} }
const binding_values: Record< const binding_values: Record<string, { string_value?: string; boolean_value?: boolean }> = {};
string,
{ string_value?: string; boolean_value?: boolean }
> = {};
card.legacy.binding_values.forEach(value => { card.legacy.binding_values.forEach(value => {
if (value.key && value.value) { if (value.key && value.value) {
@ -55,12 +52,8 @@ export const renderCard = (
external_media: { external_media: {
type: 'video', type: 'video',
url: binding_values.player_url.string_value, url: binding_values.player_url.string_value,
width: parseInt( width: parseInt((binding_values.player_width?.string_value || '1280').replace('px', '')), // TODO: Replacing px might not be necessary, it's just there as a precaution
(binding_values.player_width?.string_value || '1280').replace('px', '') height: parseInt((binding_values.player_height?.string_value || '720').replace('px', ''))
), // TODO: Replacing px might not be necessary, it's just there as a precaution
height: parseInt(
(binding_values.player_height?.string_value || '720').replace('px', '')
)
} }
}; };
} }

View file

@ -16,10 +16,7 @@ export const colorFromPalette = (palette: MediaPlaceholderColor[]) => {
const rgb = palette[i].rgb; const rgb = palette[i].rgb;
// We need vibrant colors, grey backgrounds won't do! // We need vibrant colors, grey backgrounds won't do!
if ( if (rgb.red + rgb.green + rgb.blue < 120 || rgb.red + rgb.green + rgb.blue > 240 * 3) {
rgb.red + rgb.green + rgb.blue < 120 ||
rgb.red + rgb.green + rgb.blue > 240 * 3
) {
continue; continue;
} }

View file

@ -15,30 +15,18 @@ export const calculateTimeLeft = (date: Date) => {
export const calculateTimeLeftString = (date: Date) => { export const calculateTimeLeftString = (date: Date) => {
const { days, hours, minutes, seconds } = calculateTimeLeft(date); const { days, hours, minutes, seconds } = calculateTimeLeft(date);
const daysString = const daysString =
days > 0 days > 0 ? `${days} ${days === 1 ? Strings.SINGULAR_DAY_LEFT : Strings.PLURAL_DAYS_LEFT}` : '';
? `${days} ${days === 1 ? Strings.SINGULAR_DAY_LEFT : Strings.PLURAL_DAYS_LEFT}`
: '';
const hoursString = const hoursString =
hours > 0 hours > 0
? `${hours} ${hours === 1 ? Strings.SINGULAR_HOUR_LEFT : Strings.PLURAL_HOURS_LEFT}` ? `${hours} ${hours === 1 ? Strings.SINGULAR_HOUR_LEFT : Strings.PLURAL_HOURS_LEFT}`
: ''; : '';
const minutesString = const minutesString =
minutes > 0 minutes > 0
? `${minutes} ${ ? `${minutes} ${minutes === 1 ? Strings.SINGULAR_MINUTE_LEFT : Strings.PLURAL_MINUTES_LEFT}`
minutes === 1 ? Strings.SINGULAR_MINUTE_LEFT : Strings.PLURAL_MINUTES_LEFT
}`
: ''; : '';
const secondsString = const secondsString =
seconds > 0 seconds > 0
? `${seconds} ${ ? `${seconds} ${seconds === 1 ? Strings.SINGULAR_SECOND_LEFT : Strings.PLURAL_SECONDS_LEFT}`
seconds === 1 ? Strings.SINGULAR_SECOND_LEFT : Strings.PLURAL_SECONDS_LEFT
}`
: ''; : '';
return ( return daysString || hoursString || minutesString || secondsString || Strings.FINAL_POLL_RESULTS;
daysString ||
hoursString ||
minutesString ||
secondsString ||
Strings.FINAL_POLL_RESULTS
);
}; };

View file

@ -40,10 +40,7 @@ export const generateUserAgent = (): [string, string] => {
return [userAgent.format({ platform: platformLinux }), secChUa]; return [userAgent.format({ platform: platformLinux }), secChUa];
case Platforms.Android: case Platforms.Android:
userAgent = isEdge ? edgeMobileUA : chromeMobileUA; userAgent = isEdge ? edgeMobileUA : chromeMobileUA;
return [ return [userAgent.format({ platform: platformAndroid, version: String(version) }), secChUa];
userAgent.format({ platform: platformAndroid, version: String(version) }),
secChUa
];
default: default:
return [userAgent.format({ platform: platformWindows }), secChUa]; return [userAgent.format({ platform: platformWindows }), secChUa];
} }

View file

@ -132,9 +132,7 @@ const generateTweetFooter = (tweet: APITweet, isQuote = false): string => {
{aboutSection} {aboutSection}
`.format({ `.format({
socialText: getSocialTextIV(tweet) || '', socialText: getSocialTextIV(tweet) || '',
viewOriginal: !isQuote viewOriginal: !isQuote ? `<a href="${tweet.url}">View original post</a>` : notApplicableComment,
? `<a href="${tweet.url}">View original post</a>`
: notApplicableComment,
aboutSection: isQuote aboutSection: isQuote
? '' ? ''
: `<h2>About author</h2> : `<h2>About author</h2>

View file

@ -8,17 +8,12 @@ export const renderPhoto = (
const { tweet, engagementText, authorText, isOverrideMedia, userAgent } = properties; const { tweet, engagementText, authorText, isOverrideMedia, userAgent } = properties;
const instructions: ResponseInstructions = { addHeaders: [] }; const instructions: ResponseInstructions = { addHeaders: [] };
if ( if ((tweet.media?.photos?.length || 0) > 1 && (!tweet.media?.mosaic || isOverrideMedia)) {
(tweet.media?.photos?.length || 0) > 1 &&
(!tweet.media?.mosaic || isOverrideMedia)
) {
photo = photo as APIPhoto; photo = photo as APIPhoto;
const all = tweet.media?.all as APIMedia[]; const all = tweet.media?.all as APIMedia[];
const baseString = const baseString =
all.length === tweet.media?.photos?.length all.length === tweet.media?.photos?.length ? Strings.PHOTO_COUNT : Strings.MEDIA_COUNT;
? Strings.PHOTO_COUNT
: Strings.MEDIA_COUNT;
const photoCounter = baseString.format({ const photoCounter = baseString.format({
number: String(all.indexOf(photo) + 1), number: String(all.indexOf(photo) + 1),
@ -30,9 +25,7 @@ export const renderPhoto = (
if (authorText === Strings.DEFAULT_AUTHOR_TEXT || isTelegram) { if (authorText === Strings.DEFAULT_AUTHOR_TEXT || isTelegram) {
instructions.authorText = photoCounter; instructions.authorText = photoCounter;
} else { } else {
instructions.authorText = `${authorText}${ instructions.authorText = `${authorText}${authorText ? ' ― ' : ''}${photoCounter}`;
authorText ? ' ― ' : ''
}${photoCounter}`;
} }
if (engagementText && !isTelegram) { if (engagementText && !isTelegram) {

View file

@ -31,9 +31,7 @@ export const renderVideo = (
we'll put an indicator if there are more than one video */ we'll put an indicator if there are more than one video */
if (all && all.length > 1 && (userAgent?.indexOf('Telegram') ?? 0) > -1) { if (all && all.length > 1 && (userAgent?.indexOf('Telegram') ?? 0) > -1) {
const baseString = const baseString =
all.length === tweet.media?.videos?.length all.length === tweet.media?.videos?.length ? Strings.VIDEO_COUNT : Strings.MEDIA_COUNT;
? Strings.VIDEO_COUNT
: Strings.MEDIA_COUNT;
const videoCounter = baseString.format({ const videoCounter = baseString.format({
number: String(all.indexOf(video) + 1), number: String(all.indexOf(video) + 1),
total: String(all.length) total: String(all.length)

View file

@ -469,14 +469,9 @@ type GraphQLConversationThread = {
sortIndex: string; sortIndex: string;
}; };
type GraphQLTimelineEntry = type GraphQLTimelineEntry = GraphQLTimelineTweetEntry | GraphQLConversationThread | unknown;
| GraphQLTimelineTweetEntry
| GraphQLConversationThread
| unknown;
type V2ThreadInstruction = type V2ThreadInstruction = TimeLineAddEntriesInstruction | TimeLineTerminateTimelineInstruction;
| TimeLineAddEntriesInstruction
| TimeLineTerminateTimelineInstruction;
type TimeLineAddEntriesInstruction = { type TimeLineAddEntriesInstruction = {
type: 'TimelineAddEntries'; type: 'TimelineAddEntries';

View file

@ -17,7 +17,6 @@ export const isGraphQLTweet = (response: unknown): response is GraphQLTweet => {
typeof response === 'object' && typeof response === 'object' &&
response !== null && response !== null &&
'__typename' in response && '__typename' in response &&
(response.__typename === 'Tweet' || (response.__typename === 'Tweet' || response.__typename === 'TweetWithVisibilityResults')
response.__typename === 'TweetWithVisibilityResults')
); );
}; };

View file

@ -36,11 +36,7 @@ const getBaseRedirectUrl = (request: IRequest) => {
}; };
/* Handler for status (Tweet) request */ /* Handler for status (Tweet) request */
const statusRequest = async ( const statusRequest = async (request: IRequest, event: FetchEvent, flags: InputFlags = {}) => {
request: IRequest,
event: FetchEvent,
flags: InputFlags = {}
) => {
const { handle, id, mediaNumber, language, prefix } = request.params; const { handle, id, mediaNumber, language, prefix } = request.params;
const url = new URL(request.url); const url = new URL(request.url);
// eslint-disable-next-line sonarjs/no-duplicate-string // eslint-disable-next-line sonarjs/no-duplicate-string
@ -211,11 +207,7 @@ const statusRequest = async (
}; };
/* Handler for User Profiles */ /* Handler for User Profiles */
const profileRequest = async ( const profileRequest = async (request: IRequest, event: FetchEvent, flags: InputFlags = {}) => {
request: IRequest,
event: FetchEvent,
flags: InputFlags = {}
) => {
const { handle } = request.params; const { handle } = request.params;
const url = new URL(request.url); const url = new URL(request.url);
const userAgent = request.headers.get('User-Agent') || ''; const userAgent = request.headers.get('User-Agent') || '';
@ -284,9 +276,7 @@ const profileRequest = async (
headers = { headers = {
...headers, ...headers,
'cache-control': 'cache-control':
baseUrl !== Constants.TWITTER_ROOT baseUrl !== Constants.TWITTER_ROOT ? 'max-age=0' : profileResponse.cacheControl
? 'max-age=0'
: profileResponse.cacheControl
}; };
} }
@ -345,15 +335,11 @@ const versionRequest = async (request: IRequest) => {
httpversion: (request.cf?.httpProtocol as string) ?? 'Unknown HTTP Version', httpversion: (request.cf?.httpProtocol as string) ?? 'Unknown HTTP Version',
tlsversion: (request.cf?.tlsVersion as string) ?? 'Unknown TLS Version', tlsversion: (request.cf?.tlsVersion as string) ?? 'Unknown TLS Version',
ip: ip:
request.headers.get('x-real-ip') ?? request.headers.get('x-real-ip') ?? request.headers.get('cf-connecting-ip') ?? 'Unknown IP',
request.headers.get('cf-connecting-ip') ??
'Unknown IP',
city: request.cf?.city ?? 'Unknown City', city: request.cf?.city ?? 'Unknown City',
region: request.cf?.region ?? request.cf?.country ?? 'Unknown Region', region: request.cf?.region ?? request.cf?.country ?? 'Unknown Region',
country: request.cf?.country ?? 'Unknown Country', country: request.cf?.country ?? 'Unknown Country',
asn: `AS${request.cf?.asn ?? '??'} (${ asn: `AS${request.cf?.asn ?? '??'} (${request.cf?.asOrganization ?? 'Unknown ASN'})`,
request.cf?.asOrganization ?? 'Unknown ASN'
})`,
ua: sanitizeText(request.headers.get('user-agent') ?? 'Unknown User Agent') ua: sanitizeText(request.headers.get('user-agent') ?? 'Unknown User Agent')
}), }),
{ {
@ -394,9 +380,7 @@ const setRedirectRequest = async (request: IRequest) => {
{ {
headers: { headers: {
'set-cookie': `base_redirect=; path=/; max-age=0; expires=Thu, 01 Jan 1970 00:00:00 GMT; secure; HttpOnly`, 'set-cookie': `base_redirect=; path=/; max-age=0; expires=Thu, 01 Jan 1970 00:00:00 GMT; secure; HttpOnly`,
'content-security-policy': `frame-ancestors ${Constants.STANDARD_DOMAIN_LIST.join( 'content-security-policy': `frame-ancestors ${Constants.STANDARD_DOMAIN_LIST.join(' ')};`,
' '
)};`,
...Constants.RESPONSE_HEADERS ...Constants.RESPONSE_HEADERS
}, },
status: 200 status: 200
@ -443,9 +427,7 @@ const setRedirectRequest = async (request: IRequest) => {
{ {
headers: { headers: {
'set-cookie': `base_redirect=${url}; path=/; max-age=63072000; secure; HttpOnly`, 'set-cookie': `base_redirect=${url}; path=/; max-age=63072000; secure; HttpOnly`,
'content-security-policy': `frame-ancestors ${Constants.STANDARD_DOMAIN_LIST.join( 'content-security-policy': `frame-ancestors ${Constants.STANDARD_DOMAIN_LIST.join(' ')};`,
' '
)};`,
...Constants.RESPONSE_HEADERS ...Constants.RESPONSE_HEADERS
}, },
status: 200 status: 200
@ -491,9 +473,7 @@ router.get('/owoembed', async (request: IRequest) => {
const test = { const test = {
author_name: text, author_name: text,
author_url: `${Constants.TWITTER_ROOT}/${encodeURIComponent( author_url: `${Constants.TWITTER_ROOT}/${encodeURIComponent(author)}/status/${status}`,
author
)}/status/${status}`,
/* Change provider name if tweet is on deprecated domain. */ /* Change provider name if tweet is on deprecated domain. */
provider_name: provider_name:
searchParams.get('deprecated') === 'true' searchParams.get('deprecated') === 'true'
@ -536,10 +516,7 @@ router.get('*', async (request: IRequest) => {
}); });
/* Wrapper to handle caching, and misc things like catching robots.txt */ /* Wrapper to handle caching, and misc things like catching robots.txt */
export const cacheWrapper = async ( export const cacheWrapper = async (request: Request, event?: FetchEvent): Promise<Response> => {
request: Request,
event?: FetchEvent
): Promise<Response> => {
const startTime = performance.now(); const startTime = performance.now();
const userAgent = request.headers.get('User-Agent') || ''; const userAgent = request.headers.get('User-Agent') || '';
// https://developers.cloudflare.com/workers/examples/cache-api/ // https://developers.cloudflare.com/workers/examples/cache-api/

View file

@ -83,9 +83,7 @@ test('Twitter moment redirect', async () => {
) )
); );
expect(result.status).toEqual(302); expect(result.status).toEqual(302);
expect(result.headers.get('location')).toEqual( expect(result.headers.get('location')).toEqual(`${twitterBaseUrl}/i/events/1572638642127966214`);
`${twitterBaseUrl}/i/events/1572638642127966214`
);
}); });
test('Tweet response robot', async () => { test('Tweet response robot', async () => {

View file

@ -12,11 +12,7 @@
"allowJs": true, "allowJs": true,
"sourceMap": true, "sourceMap": true,
"esModuleInterop": true, "esModuleInterop": true,
"types": [ "types": ["@cloudflare/workers-types/2023-07-01", "@types/jest", "@sentry/integrations"]
"@cloudflare/workers-types/2023-07-01",
"@types/jest",
"@sentry/integrations"
]
}, },
"include": ["src"], "include": ["src"],
"exclude": ["node_modules", "dist", "test"] "exclude": ["node_modules", "dist", "test"]