import { Constants } from './constants';
import { fetchUsingGuest } from './fetch';
import { linkFixer } from './linkFixer';
import { colorFromPalette } from './palette';
import { renderCard } from './card';
import { handleQuote } from './quote';
import { sanitizeText } from './utils';
import { Strings } from './strings';
export const returnError = (error: string) => {
return Strings.BASE_HTML.format({
lang: '',
headers: [
``,
``
].join('')
});
};
export const handleStatus = async (
status: string,
mediaNumber?: number,
userAgent?: string
): Promise => {
const conversation = await fetchUsingGuest(status);
const tweet = conversation?.globalObjects?.tweets?.[status] || {};
/* 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
it in case a user appears multiple times in a thread. */
tweet.user = conversation?.globalObjects?.users?.[tweet.user_id_str] || {};
/* Try to deep link to mobile apps, just like Twitter does.
No idea if this actually works.*/
let headers: string[] = [
``,
``,
``,
``,
``,
``,
``
];
/* Fallback for if Tweet did not load */
if (typeof tweet.full_text === 'undefined') {
console.log('Invalid status, got tweet ', tweet, ' conversation ', conversation);
console.log('instructions', conversation.timeline?.instructions.length);
/* We've got timeline instructions, so the Tweet is probably private */
if (conversation.timeline?.instructions?.length > 0) {
return returnError(Strings.ERROR_PRIVATE);
}
/* {"errors":[{"code":34,"message":"Sorry, that page does not exist."}]} */
if (conversation.errors?.[0]?.code === 34) {
return returnError(Strings.ERROR_TWEET_NOT_FOUND);
}
/* Tweets object is completely missing, smells like API failure */
if (typeof conversation?.globalObjects?.tweets === 'undefined') {
return returnError(Strings.ERROR_API_FAIL);
}
/* If we have no idea what happened then just return API error */
return returnError(Strings.ERROR_API_FAIL);
}
let text = tweet.full_text;
const user = tweet.user;
const screenName = user?.screen_name || '';
const name = user?.name || '';
let mediaList = Array.from(
tweet.extended_entities?.media || tweet.entities?.media || []
);
let authorText = Strings.DEFAULT_AUTHOR_TEXT;
text = linkFixer(tweet, text);
/* Cards are used by polls and non-Twitter video embeds */
if (tweet.card) {
let cardRender = await renderCard(tweet.card, headers, userAgent);
if (cardRender === 'EMBED_CARD') {
authorText = encodeURIComponent(text);
} else {
text += cardRender;
}
}
/* Trying to uncover a quote tweet referenced by this tweet */
let quoteTweetMaybe =
conversation.globalObjects?.tweets?.[tweet.quoted_status_id_str || '0'] || null;
if (quoteTweetMaybe) {
quoteTweetMaybe.user =
conversation?.globalObjects?.users?.[quoteTweetMaybe.user_id_str] || {};
const quoteText = handleQuote(quoteTweetMaybe);
console.log('quoteText', quoteText);
if (quoteText) {
text += `\n${quoteText}`;
}
if (
mediaList.length === 0 &&
(quoteTweetMaybe.extended_entities?.media?.length ||
quoteTweetMaybe.entities?.media?.length ||
0) > 0
) {
console.log('No media in main tweet, maybe we have some media in the quote tweet?');
mediaList = Array.from(
quoteTweetMaybe.extended_entities?.media || quoteTweetMaybe.entities?.media || []
);
console.log('updated mediaList', mediaList);
}
}
/* No media was found, but that's OK because we can still enrichen the Tweet
with a profile picture and color-matched embed in Discord! */
if (mediaList.length === 0) {
console.log('No media');
let palette = user?.profile_image_extensions_media_color?.palette;
let colorOverride: string = Constants.DEFAULT_COLOR;
// for loop for palettes
if (palette) {
colorOverride = colorFromPalette(palette);
}
headers.push(
``,
``,
// Use a slightly higher resolution image for profile pics
``,
``,
``,
``,
``,
``
);
} else {
console.log('Media available');
let firstMedia = mediaList[0];
/* Try grabbing media color palette */
let palette = firstMedia?.ext_media_color?.palette;
let colorOverride: string = Constants.DEFAULT_COLOR;
let pushedCardType = false;
if (palette) {
colorOverride = colorFromPalette(palette);
}
/* theme-color is used by discord to style the embed.
We take full advantage of that!*/
headers.push(``);
/* Inline helper function for handling media */
const processMedia = (media: TweetMedia) => {
if (media.type === 'photo') {
headers.push(
``,
``
);
if (media.original_info?.width && media.original_info?.height) {
headers.push(
``,
``,
``,
``
);
}
if (!pushedCardType) {
headers.push(``);
pushedCardType = true;
}
} else if (media.type === 'video' || media.type === 'animated_gif') {
headers.push(``);
if (userAgent && userAgent?.indexOf?.('Discord') > -1) {
text = text.substr(0, 179);
}
authorText = encodeURIComponent(text);
// Find the variant with the highest bitrate
let bestVariant = media.video_info?.variants?.reduce?.((a, b) =>
(a.bitrate ?? 0) > (b.bitrate ?? 0) ? a : b
);
headers.push(
``,
``,
``,
``,
``,
``,
``,
``,
``,
``
);
}
};
let actualMediaNumber = 1;
console.log('mediaNumber', mediaNumber);
/* You can specify a specific photo in the URL and we'll pull the correct one,
otherwise it falls back to first */
if (
typeof mediaNumber !== 'undefined' &&
typeof mediaList[mediaNumber - 1] !== 'undefined'
) {
console.log(`Media ${mediaNumber} found`);
actualMediaNumber = mediaNumber - 1;
processMedia(mediaList[actualMediaNumber]);
} else {
console.log(`Media ${mediaNumber} not found, ${mediaList.length} total`);
/* I wish Telegram respected multiple photos in a tweet,
and that Discord could do the same for 3rd party providers like us */
// media.forEach(media => processMedia(media));
processMedia(firstMedia);
}
if (mediaList.length > 1) {
authorText = `Photo ${actualMediaNumber + 1} of ${mediaList.length}`;
headers.push(
``
);
} else {
headers.push(
``
);
}
headers.push(
``,
``
);
}
/* Special reply handling if authorText is not overriden */
if (tweet.in_reply_to_screen_name && authorText === 'Twitter') {
authorText = `↪ Replying to @${tweet.in_reply_to_screen_name}`;
}
/* The additional oembed is pulled by Discord to enable improved embeds.
Telegram does not use this. */
headers.push(
``
);
/* When dealing with a Tweet of unknown lang, fall back to en */
let lang = tweet.lang === 'unk' ? 'en' : tweet.lang || 'en';
return Strings.BASE_HTML.format({
lang: `lang="${lang}"`,
headers: headers.join('')
});
};