This commit is contained in:
dangered wolf 2022-07-26 10:52:28 -04:00
commit 748a480b70
No known key found for this signature in database
GPG key ID: 41E4D37680ED8B58
20 changed files with 2128 additions and 127 deletions

1
.eslintignore Normal file
View file

@ -0,0 +1 @@
dist

11
.eslintrc.yml Normal file
View file

@ -0,0 +1,11 @@
root: true
extends:
- typescript
- prettier
- plugin:optimize-regex/recommended
- plugin:sonarjs/recommended
plugins:
- eslint-plugin-optimize-regex
- sonarjs

46
.github/workflows/eslint.yml vendored Normal file
View file

@ -0,0 +1,46 @@
name: ESLint
on:
push:
branches:
- main
pull_request:
# The branches below must be a subset of the branches above
branches:
- main
schedule:
- cron: 43 16 * * 6
jobs:
eslint:
name: Run eslint scanning
runs-on: ubuntu-latest
permissions:
contents: read
security-events: write
steps:
- name: Checkout code
uses: actions/checkout@v3
- name: Setup Node
uses: actions/setup-node@v3
with:
node-version: 16
cache: npm
cache-dependency-path: package-lock.json
- run: npm install
- name: Run ESLint
run: npx eslint .
--config .eslintrc.yml
--ext .js,.jsx,.ts,.tsx
--format @microsoft/eslint-formatter-sarif
--output-file eslint-results.sarif
continue-on-error: true
- name: Upload analysis results to GitHub
uses: github/codeql-action/upload-sarif@v2
with:
sarif_file: eslint-results.sarif
wait-for-processing: true

View file

@ -76,9 +76,13 @@ We use Twitter's color data for either the first image/video of the tweet, or th
## Built with privacy in mind
We don't save logs of what tweets you're sending, nor do we have a public record of what tweets are being embedded by FixTweet. We use Cloudflare to cache FixTweet responses to make repeat access faster.
FixTweet doesn't save logs of what tweets you're sending, nor do we have a public record of what tweets are being embedded by FixTweet.
Furthermore, if the person who posted a FixTweet link forgot to strip tracking, we strip it upon redirecting to the Tweet.
In fact, because our core embedding and API service uses Cloudflare Workers, where FixTweet can only run when you send it a request and its memory doesn't stick around, and it doesn't have a file system or database to access at all. That is how we keep our privacy promise by building it into the architecture. My goal is always to provide a good public service, and FixTweet doesn't make any money.
Note: We use Cloudflare to cache FixTweet responses to make repeat access faster, which have a maximum TTL of 1 hour. Temporary real-time logging in the terminal (specifically `wrangler tail`) may be used only by the developer while the Worker is being serviced or debugged (to make sure things work as they should), however these logs are only shown in the terminal and are never saved or used for any other purpose.
On a different note, if the person who posted a FixTweet link forgot to strip tracking parameters (like `?s` and `&t`), we strip it upon redirecting to the Tweet as they are only used for Twitter Telemetry and Marketing.
---
@ -103,7 +107,7 @@ In many ways, FixTweet has richer embeds and does more. Here's a table comparing
| Strip Twitter tracking info on redirect | :heavy_check_mark: | :x: | :heavy_check_mark: | :heavy_check_mark: |
| Show retweet, like, reply counts | :heavy_check_mark: | :heavy_minus_sign: Discord Only³ | :ballot_box_with_check: No replies | :ballot_box_with_check: No replies |
| Discord sed replace (`s/`) friendly | :ballot_box_with_check: twittpr.com | N/A | :x: | :heavy_check_mark: |
| Tweet fetch API for Developers | Coming soon! | N/A | :x: | :heavy_check_mark: |
| Tweet fetch API for Developers | :heavy_check_mark: | N/A | :x: | :heavy_check_mark: |
¹ Discord will attempt to embed Twitter's video player, but it is unreliable
@ -142,7 +146,7 @@ Once you're set up with your worker on `*.workers.dev`, [add your worker to your
### Things to tackle in the future
- More reliable Multi-Image in Telegram
- Reimplement TwitFix API for third-party developers
- Discord bot
### Bugs or issues?

1931
package-lock.json generated

File diff suppressed because it is too large Load diff

View file

@ -9,14 +9,23 @@
"log": "wrangler tail",
"reload": "wrangler publish && wrangler tail",
"register": "node src/register.js",
"prettier": "prettier --write ."
"prettier": "prettier --write .",
"lint:eslint": "eslint --max-warnings=0 src"
},
"author": "dangered wolf",
"license": "MIT",
"devDependencies": {
"@cloudflare/workers-types": "^3.14.1",
"@microsoft/eslint-formatter-sarif": "^3.0.0",
"@types/service-worker-mock": "^2.0.1",
"@typescript-eslint/eslint-plugin": "^5.31.0",
"@typescript-eslint/parser": "^5.31.0",
"dotenv": "^16.0.1",
"eslint": "^8.20.0",
"eslint-config-prettier": "^8.5.0",
"eslint-config-typescript": "^3.0.0",
"eslint-plugin-optimize-regex": "^1.2.1",
"eslint-plugin-sonarjs": "^0.14.0",
"prettier": "^2.7.1",
"service-worker-mock": "^2.0.5",
"ts-loader": "^9.3.1",

View file

@ -16,7 +16,7 @@ const processMedia = (media: TweetMedia): APIPhoto | APIVideo | null => {
};
} else if (media.type === 'video' || media.type === 'animated_gif') {
// Find the variant with the highest bitrate
let bestVariant = media.video_info?.variants?.reduce?.((a, b) =>
const bestVariant = media.video_info?.variants?.reduce?.((a, b) =>
(a.bitrate ?? 0) > (b.bitrate ?? 0) ? a : b
);
return {
@ -34,9 +34,10 @@ const processMedia = (media: TweetMedia): APIPhoto | APIVideo | null => {
const populateTweetProperties = async (
tweet: TweetPartial,
conversation: TimelineBlobPartial,
language: string = 'en'
language: string | undefined
// eslint-disable-next-line sonarjs/cognitive-complexity
): Promise<APITweet> => {
let apiTweet = {} as APITweet;
const apiTweet = {} as APITweet;
/* With v2 conversation API we re-add the user object ot the tweet because
Twitter stores it separately in the conversation API. This is to consolidate
@ -73,19 +74,18 @@ const populateTweetProperties = async (
apiTweet.replying_to = tweet.in_reply_to_screen_name || null;
let mediaList = Array.from(
const mediaList = Array.from(
tweet.extended_entities?.media || tweet.entities?.media || []
);
mediaList.forEach(media => {
let mediaObject = processMedia(media);
const mediaObject = processMedia(media);
if (mediaObject) {
if (mediaObject.type === 'photo') {
apiTweet.twitter_card = 'summary_large_image';
apiTweet.media = apiTweet.media || {};
apiTweet.media.photos = apiTweet.media.photos || [];
apiTweet.media.photos.push(mediaObject);
} else if (mediaObject.type === 'video' || mediaObject.type === 'gif') {
apiTweet.twitter_card = 'player';
apiTweet.media = apiTweet.media || {};
@ -99,14 +99,14 @@ const populateTweetProperties = async (
}
if ((apiTweet.media?.photos?.length || 0) > 1) {
let mosaic = await handleMosaic(apiTweet.media?.photos || []);
const mosaic = await handleMosaic(apiTweet.media?.photos || []);
if (typeof apiTweet.media !== 'undefined' && mosaic !== null) {
apiTweet.media.mosaic = mosaic;
}
}
if (tweet.card) {
let card = await renderCard(tweet.card);
const card = await renderCard(tweet.card);
if (card.external_media) {
apiTweet.twitter_card = 'summary_large_image';
apiTweet.media = apiTweet.media || {};
@ -117,29 +117,32 @@ const populateTweetProperties = async (
}
}
console.log('language', language);
/* If a language is specified, let's try translating it! */
if (typeof language === 'string' && language.length === 2 && language !== tweet.lang) {
let translateAPI = await translateTweet(
const translateAPI = await translateTweet(
tweet,
conversation.guestToken || '',
language
);
apiTweet.translation = {
text: translateAPI?.translation || '',
source_lang: translateAPI?.sourceLanguage || '',
target_lang: translateAPI?.destinationLanguage || ''
};
if (translateAPI !== null && translateAPI?.translation) {
apiTweet.translation = {
text: translateAPI?.translation || '',
source_lang: translateAPI?.sourceLanguage || '',
target_lang: translateAPI?.destinationLanguage || ''
};
}
}
return apiTweet;
};
export const statusAPI = async (
event: FetchEvent,
status: string,
language: string
language: string | undefined
): Promise<APIResponse> => {
const conversation = await fetchUsingGuest(status, event);
const conversation = await fetchUsingGuest(status);
const tweet = conversation?.globalObjects?.tweets?.[status] || {};
/* Fallback for if Tweet did not load */
@ -165,14 +168,14 @@ export const statusAPI = async (
return { code: 500, message: 'API_FAIL' };
}
let response: APIResponse = { code: 200, message: 'OK' } as APIResponse;
let apiTweet: APITweet = (await populateTweetProperties(
const response: APIResponse = { code: 200, message: 'OK' } as APIResponse;
const apiTweet: APITweet = (await populateTweetProperties(
tweet,
conversation,
language
)) as APITweet;
let quoteTweet =
const quoteTweet =
conversation.globalObjects?.tweets?.[tweet.quoted_status_id_str || '0'] || null;
if (quoteTweet) {
apiTweet.quote = (await populateTweetProperties(

View file

@ -3,13 +3,11 @@ import { calculateTimeLeftString } from './pollHelper';
export const renderCard = async (
card: TweetCard
): Promise<{ poll?: APIPoll; external_media?: APIExternalMedia }> => {
let str = '\n\n';
const values = card.binding_values;
console.log('rendering card on ', card);
// Telegram's bars need to be a lot smaller to fit its bubbles
let choices: { [label: string]: number } = {};
const choices: { [label: string]: number } = {};
let totalVotes = 0;
if (typeof values !== 'undefined') {
@ -18,7 +16,7 @@ export const renderCard = async (
typeof values.choice1_count !== 'undefined' &&
typeof values.choice2_count !== 'undefined'
) {
let poll = {} as APIPoll;
const poll = {} as APIPoll;
if (typeof values.end_datetime_utc !== 'undefined') {
poll.ends_at = values.end_datetime_utc.string_value || '';

View file

@ -1,9 +1,6 @@
import { Constants } from './constants';
export const fetchUsingGuest = async (
status: string,
event: FetchEvent
): Promise<TimelineBlobPartial> => {
export const fetchUsingGuest = async (status: string): Promise<TimelineBlobPartial> => {
let apiAttempts = 0;
let cachedTokenFailed = false;
@ -30,7 +27,7 @@ export const fetchUsingGuest = async (
while (apiAttempts < 10) {
const csrfToken = crypto.randomUUID().replace(/-/g, ''); // Generate a random CSRF token, this doesn't matter, Twitter just cares that header and cookie match
let headers: { [header: string]: string } = {
const headers: { [header: string]: string } = {
Authorization: Constants.GUEST_BEARER_TOKEN,
...Constants.BASE_HEADERS
};
@ -40,7 +37,7 @@ export const fetchUsingGuest = async (
let activate: Response | null = null;
if (!cachedTokenFailed) {
let cachedResponse = await cache.match(guestTokenRequest);
const cachedResponse = await cache.match(guestTokenRequest);
if (cachedResponse) {
console.log('Token cache hit');
@ -65,7 +62,7 @@ export const fetchUsingGuest = async (
try {
activateJson = (await activate.json()) as { guest_token: string };
} catch (e: any) {
} catch (e: unknown) {
continue;
}
@ -100,7 +97,7 @@ export const fetchUsingGuest = async (
}
);
conversation = await apiRequest.json();
} catch (e: any) {
} catch (e: unknown) {
/* We'll usually only hit this if we get an invalid response from Twitter.
It's rare, but it happens */
console.error('Unknown error while fetching conversation from API');
@ -124,6 +121,7 @@ export const fetchUsingGuest = async (
return conversation;
}
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore - This is only returned if we completely failed to fetch the conversation
return {};
};

View file

@ -5,7 +5,7 @@ export const linkFixer = (tweet: TweetPartial, text: string): string => {
text = text.replace(url.url, url.expanded_url);
});
text = text.replace(/ ?https\:\/\/t\.co\/\w{10}/, '');
text = text.replace(/ ?https:\/\/t\.co\/\w{10}/, '');
}
return text;

View file

@ -3,11 +3,11 @@ import { Constants } from './constants';
export const handleMosaic = async (
mediaList: APIPhoto[]
): Promise<APIMosaicPhoto | null> => {
let mosaicDomains = Constants.MOSAIC_DOMAIN_LIST;
const mosaicDomains = Constants.MOSAIC_DOMAIN_LIST;
let selectedDomain: string | null = null;
while (selectedDomain === null && mosaicDomains.length > 0) {
// fetch /ping on a random domain
let domain = mosaicDomains[Math.floor(Math.random() * mosaicDomains.length)];
const domain = mosaicDomains[Math.floor(Math.random() * mosaicDomains.length)];
// let response = await fetch(`https://${domain}/ping`);
// if (response.status === 200) {
selectedDomain = domain;
@ -22,12 +22,12 @@ export const handleMosaic = async (
return null;
} else {
// console.log('mediaList', mediaList);
let mosaicMedia = mediaList.map(
media => media.url?.match(/(?<=\/media\/)[a-zA-Z0-9_\-]+(?=[\.\?])/g)?.[0] || ''
const mosaicMedia = mediaList.map(
media => media.url?.match(/(?<=\/media\/)[\w-]+(?=[.?])/g)?.[0] || ''
);
// console.log('mosaicMedia', mosaicMedia);
// TODO: use a better system for this, 0 gets png 1 gets webp, usually
let baseUrl = `https://${selectedDomain}/`;
const baseUrl = `https://${selectedDomain}/`;
let path = '';
if (mosaicMedia[0]) {

View file

@ -2,7 +2,7 @@ import { Constants } from './constants';
// https://stackoverflow.com/questions/5623838/rgb-to-hex-and-hex-to-rgb
const componentToHex = (component: number) => {
let hex = component.toString(16);
const hex = component.toString(16);
return hex.length === 1 ? '0' + hex : hex;
};

View file

@ -5,8 +5,8 @@ export const handleQuote = (quote: APITweet): string | null => {
let str = `\n`;
str += Strings.QUOTE_TEXT.format({
name: quote.author?.name,
screen_name: quote.author?.screen_name
name: quote.author?.name || '',
screen_name: quote.author?.screen_name || ''
});
str += ` \n\n`;

View file

@ -14,8 +14,8 @@ const statusRequest = async (
const url = new URL(request.url);
const userAgent = request.headers.get('User-Agent') || '';
let isBotUA =
userAgent.match(/bot|facebook|embed|got|Firefox\/92|curl|wget/gi) !== null;
const isBotUA =
userAgent.match(/bot|facebook|embed|got|firefox\/92|curl|wget/gi) !== null;
if (
url.pathname.match(/\/status(es)?\/\d+\.(mp4|png|jpg)/g) !== null ||
@ -40,8 +40,7 @@ const statusRequest = async (
let response: Response;
let statusResponse = await handleStatus(
event,
const statusResponse = await handleStatus(
id?.match(/\d{2,20}/)?.[0] || '0',
mediaNumber ? parseInt(mediaNumber) : undefined,
userAgent,
@ -72,16 +71,16 @@ const statusRequest = async (
return response;
} else {
console.log('Matched human UA', request.headers.get('User-Agent'));
console.log('Matched human UA', userAgent);
return Response.redirect(`${Constants.TWITTER_ROOT}/${handle}/status/${id}`, 302);
}
};
const profileRequest = async (request: Request, _event: FetchEvent) => {
const profileRequest = async (request: Request) => {
const { handle } = request.params;
const url = new URL(request.url);
if (handle.match(/[a-z0-9_]{1,15}/gi)?.[0] !== handle) {
if (handle.match(/\w{1,15}/gi)?.[0] !== handle) {
return Response.redirect(Constants.REDIRECT_URL, 302);
} else {
return Response.redirect(`${Constants.TWITTER_ROOT}${url.pathname}`, 302);
@ -106,9 +105,9 @@ router.get('/owoembed', async (request: Request) => {
const { searchParams } = new URL(request.url);
/* Fallbacks */
let text = searchParams.get('text') || 'Twitter';
let author = searchParams.get('author') || 'dangeredwolf';
let status = searchParams.get('status') || '1547514042146865153';
const text = searchParams.get('text') || 'Twitter';
const author = searchParams.get('author') || 'dangeredwolf';
const status = searchParams.get('status') || '1547514042146865153';
const test = {
author_name: decodeURIComponent(text),
@ -139,7 +138,6 @@ router.get('*', async (request: Request) => {
if (url.hostname === Constants.API_HOST) {
return Response.redirect(Constants.API_DOCS_URL, 307);
}
return Response.redirect(Constants.REDIRECT_URL, 307);
});
@ -147,7 +145,6 @@ const cacheWrapper = async (event: FetchEvent): Promise<Response> => {
const { request } = event;
const userAgent = request.headers.get('User-Agent') || '';
// https://developers.cloudflare.com/workers/examples/cache-api/
const url = new URL(request.url);
const cacheUrl = new URL(
userAgent.includes('Telegram')
? `${request.url}&telegram`
@ -175,7 +172,7 @@ const cacheWrapper = async (event: FetchEvent): Promise<Response> => {
switch (request.method) {
case 'GET':
if (cacheUrl.hostname !== Constants.API_HOST) {
let cachedResponse = await cache.match(cacheKey);
const cachedResponse = await cache.match(cacheKey);
if (cachedResponse) {
console.log('Cache hit');
@ -185,7 +182,8 @@ const cacheWrapper = async (event: FetchEvent): Promise<Response> => {
console.log('Cache miss');
}
let response = await router.handle(event.request, event);
// eslint-disable-next-line no-case-declarations
const response = await router.handle(event.request, event);
// Store the fetched response as cacheKey
// Use waitUntil so you can return the response without blocking on

View file

@ -18,7 +18,6 @@ export const returnError = (error: string): StatusResponse => {
};
export const handleStatus = async (
event: FetchEvent,
status: string,
mediaNumber?: number,
userAgent?: string,
@ -27,7 +26,7 @@ export const handleStatus = async (
): Promise<StatusResponse> => {
console.log('Direct?', flags?.direct);
let api = await statusAPI(event, status, language || 'en');
const api = await statusAPI(status, language);
const tweet = api?.tweet as APITweet;
if (flags?.api) {
@ -48,17 +47,15 @@ export const handleStatus = async (
return returnError(Strings.ERROR_API_FAIL);
}
if (flags?.direct) {
if (tweet.media) {
let redirectUrl: string | null = null;
if (tweet.media.video) {
redirectUrl = tweet.media.video.url;
} else if (tweet.media.photos) {
redirectUrl = (tweet.media.photos[mediaNumber || 0] || tweet.media.photos[0]).url;
}
if (redirectUrl) {
return { response: Response.redirect(redirectUrl, 302) };
}
if (flags?.direct && tweet.media) {
let redirectUrl: string | null = null;
if (tweet.media.video) {
redirectUrl = tweet.media.video.url;
} else if (tweet.media.photos) {
redirectUrl = (tweet.media.photos[mediaNumber || 0] || tweet.media.photos[0]).url;
}
if (redirectUrl) {
return { response: Response.redirect(redirectUrl, 302) };
}
}
@ -69,9 +66,11 @@ export const handleStatus = async (
}
let authorText = getAuthorText(tweet) || Strings.DEFAULT_AUTHOR_TEXT;
let engagementText = authorText.replace(/ /g, ' ');
const engagementText = authorText.replace(/ {4}/g, ' ');
const siteName = Constants.BRANDING_NAME;
let newText = tweet.text;
let headers: string[] = [
const headers = [
`<meta content="${tweet.color}" property="theme-color"/>`,
`<meta name="twitter:card" content="${tweet.twitter_card}"/>`,
`<meta name="twitter:site" content="@${tweet.author.screen_name}"/>`,
@ -79,9 +78,29 @@ export const handleStatus = async (
`<meta name="twitter:title" content="${tweet.author.name} (@${tweet.author.screen_name})"/>`
];
if (tweet.translation) {
const { translation } = tweet;
const formatText =
language === 'en'
? Strings.TRANSLATE_TEXT.format({
language: translation.source_lang
})
: Strings.TRANSLATE_TEXT_INTL.format({
source: translation.source_lang.toUpperCase(),
destination: translation.target_lang.toUpperCase()
});
newText = `${translation.text}\n\n` + `${formatText}\n\n` + `${newText}`;
}
/* Video renderer */
if (tweet.media?.video) {
authorText = encodeURIComponent(tweet.text || '').substr(0, 300);
authorText = encodeURIComponent(newText || '');
if (tweet?.translation) {
authorText = encodeURIComponent(tweet.translation?.text || '');
}
const { video } = tweet.media;
@ -118,9 +137,9 @@ export const handleStatus = async (
type: 'photo'
};
} else if (photos.length > 1) {
let photoCounter = Strings.PHOTO_COUNT.format({
number: photos.indexOf(photo) + 1,
total: photos.length
const photoCounter = Strings.PHOTO_COUNT.format({
number: String(photos.indexOf(photo) + 1),
total: String(photos.length)
});
authorText =
@ -162,9 +181,6 @@ export const handleStatus = async (
);
}
let siteName = Constants.BRANDING_NAME;
let newText = tweet.text;
/* Poll renderer */
if (tweet.poll) {
const { poll } = tweet;
@ -199,22 +215,6 @@ ${choice.label}  (${choice.percentage}%)
);
}
if (api.tweet?.translation) {
const { translation } = api.tweet;
let formatText =
language === 'en'
? Strings.TRANSLATE_TEXT.format({
language: translation.source_lang
})
: Strings.TRANSLATE_TEXT_INTL.format({
source: translation.source_lang.toUpperCase(),
destination: translation.target_lang.toUpperCase()
});
newText = `${translation.text}\n\n` + `${formatText}\n\n` + `${newText}`;
}
if (api.tweet?.quote) {
const quoteText = handleQuote(api.tweet.quote);
newText += `\n${quoteText}`;
@ -242,7 +242,7 @@ ${choice.label}  (${choice.percentage}%)
);
/* When dealing with a Tweet of unknown lang, fall back to en */
let lang = tweet.lang === 'unk' ? 'en' : tweet.lang || 'en';
const lang = tweet.lang === 'unk' ? 'en' : tweet.lang || 'en';
return {
text: Strings.BASE_HTML.format({

View file

@ -1,6 +1,6 @@
declare global {
interface String {
format(options: any): string;
format(options: { [find: string]: string }): string;
}
}
@ -8,7 +8,7 @@ declare global {
Useful little function to format strings for us
*/
String.prototype.format = function (options: any) {
String.prototype.format = function (options: { [find: string]: string }) {
return this.replace(/{([^{}]+)}/g, (match: string, name: string) => {
if (options[name] !== undefined) {
return options[name];

View file

@ -7,7 +7,7 @@ export const translateTweet = async (
): Promise<TranslationPartial | null> => {
const csrfToken = crypto.randomUUID().replace(/-/g, ''); // Generate a random CSRF token, this doesn't matter, Twitter just cares that header and cookie match
let headers: { [header: string]: string } = {
const headers: { [header: string]: string } = {
'Authorization': Constants.GUEST_BEARER_TOKEN,
...Constants.BASE_HEADERS,
'Cookie': [
@ -42,7 +42,7 @@ export const translateTweet = async (
console.log(translationResults);
return translationResults;
} catch (e: any) {
} catch (e: unknown) {
console.error('Unknown error while fetching from Translation API', e);
return {} as TranslationPartial; // No work to do
}

View file

@ -100,26 +100,28 @@ type CardValue = {
string_value: string;
};
type TweetCard = {
binding_values: {
card_url: CardValue;
choice1_count?: CardValue;
choice2_count?: CardValue;
choice3_count?: CardValue;
choice4_count?: CardValue;
choice1_label?: CardValue;
choice2_label?: CardValue;
choice3_label?: CardValue;
choice4_label?: CardValue;
counts_are_final?: CardValue;
duration_minutes?: CardValue;
end_datetime_utc?: CardValue;
type TweetCardBindingValues = {
card_url: CardValue;
choice1_count?: CardValue;
choice2_count?: CardValue;
choice3_count?: CardValue;
choice4_count?: CardValue;
choice1_label?: CardValue;
choice2_label?: CardValue;
choice3_label?: CardValue;
choice4_label?: CardValue;
counts_are_final?: CardValue;
duration_minutes?: CardValue;
end_datetime_utc?: CardValue;
player_url?: CardValue;
player_width?: CardValue;
player_height?: CardValue;
title?: CardValue;
};
player_url?: CardValue;
player_width?: CardValue;
player_height?: CardValue;
title?: CardValue;
};
type TweetCard = {
binding_values: TweetCardBindingValues;
name: string;
};

View file

@ -1,7 +1,7 @@
export const sanitizeText = (text: string) => {
return text
.replace(/\"/g, '&#34;')
.replace(/\'/g, '&#39;')
.replace(/\</g, '&lt;')
.replace(/\>/g, '&gt;');
.replace(/"/g, '&#34;')
.replace(/'/g, '&#39;')
.replace(/</g, '&lt;')
.replace(/>/g, '&gt;');
};

View file

@ -2,7 +2,7 @@ name = "fixtweet"
account_id = "[CLOUDFLARE_ACCOUNT_ID]"
workers_dev = true
main = "./dist/worker.js"
compatibility_date = "2022-07-13"
compatibility_date = "2022-07-25"
send_metrics = false
[build]