feat: add support for other languages

Co-authored-by: k0xp00f <d.abdelkarim1404+gmail.com>
This commit is contained in:
kareem 2023-01-07 18:22:20 +01:00 committed by GitHub
parent 356ad04da6
commit d16ae48dcb
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
18 changed files with 240 additions and 99 deletions

View file

@ -2,7 +2,7 @@
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// IMPORTS // IMPORTS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
import axiosInstance from '../utils/axiosInstance.js'; import getAxiosInstance from '../utils/getAxiosInstance.js';
import catchAsyncErrors from '../utils/catchAsyncErrors.js'; import catchAsyncErrors from '../utils/catchAsyncErrors.js';
import getAnswers from '../fetchers/getAnswers.js'; import getAnswers from '../fetchers/getAnswers.js';
import getTopic from '../fetchers/getTopic.js'; import getTopic from '../fetchers/getTopic.js';
@ -15,18 +15,24 @@ import getSearch from '../fetchers/getSearch.js';
export const about = (req, res, next) => { export const about = (req, res, next) => {
res.status(200).json({ res.status(200).json({
status: 'success', status: 'success',
message: message: `make a request.
"make a request. available endpoints are: '/some-slug', '/unanswered/some-slug'", available endpoints are: '/slug', '/unanswered/slug', '/topic/slug', '/profile/slug', '/search?q=query', /?q=query.`,
}); });
}; };
export const answers = catchAsyncErrors(async (req, res, next) => { export const answers = catchAsyncErrors(async (req, res, next) => {
const data = await getAnswers(req.params.slug); const { slug } = req.params;
const { lang } = req.query;
const data = await getAnswers(slug, lang);
res.status(200).json({ status: 'success', data }); res.status(200).json({ status: 'success', data });
}); });
export const topic = catchAsyncErrors(async (req, res, next) => { export const topic = catchAsyncErrors(async (req, res, next) => {
const data = await getTopic(req.params.slug); const { slug } = req.params;
const { lang } = req.query;
const data = await getTopic(slug, lang);
res.status(200).json({ status: 'success', data }); res.status(200).json({ status: 'success', data });
}); });
@ -52,17 +58,19 @@ export const unimplemented = (req, res, next) => {
}; };
export const image = catchAsyncErrors(async (req, res, next) => { export const image = catchAsyncErrors(async (req, res, next) => {
if (!req.params.domain.endsWith('quoracdn.net')) { const { domain, path } = req.params;
if (!domain.endsWith('quoracdn.net')) {
return res.status(403).json({ return res.status(403).json({
status: 'fail', status: 'fail',
message: 'Invalid domain', message: 'Invalid domain',
}); });
} }
// changing defaults for this particular endpoint
const axiosInstance = getAxiosInstance();
axiosInstance.defaults.baseURL = `https://${domain}/`;
const imageRes = await axiosInstance.get(path, { responseType: 'stream' });
const imageRes = await axiosInstance.get(
`https://${req.params.domain}/${req.params.path}`,
{ responseType: 'arraybuffer' }
);
res.set('Content-Type', imageRes.headers['content-type']); res.set('Content-Type', imageRes.headers['content-type']);
res.status(200).send(imageRes.data); return imageRes.data.pipe(res);
}); });

View file

@ -37,12 +37,14 @@ export const privacy = (req, res, next) => {
export const answers = catchAsyncErrors(async (req, res, next) => { export const answers = catchAsyncErrors(async (req, res, next) => {
const { slug } = req.params; const { slug } = req.params;
const { lang } = req.query;
// added this so that a request by browser to get favicon doesn't end up being interpreted as a slug // added this so that a request by browser to get favicon doesn't end up being interpreted as a slug
if (nonSlugRoutes.includes(slug)) return next(); if (nonSlugRoutes.includes(slug)) return next();
const answersData = await getAnswers(slug); const answersData = await getAnswers(slug, lang);
const title = answersData.question.text[0].spans const title = answersData.question.text[0].spans
.map(span => span.text) .map((span) => span.text)
.join(''); .join('');
return res.status(200).render('answers', { return res.status(200).render('answers', {
@ -57,7 +59,10 @@ export const answers = catchAsyncErrors(async (req, res, next) => {
}); });
export const topic = catchAsyncErrors(async (req, res, next) => { export const topic = catchAsyncErrors(async (req, res, next) => {
const topicData = await getTopic(req.params.slug); const { slug } = req.params;
const { lang } = req.query;
const topicData = await getTopic(slug, lang);
res.status(200).render('topic', { res.status(200).render('topic', {
data: topicData, data: topicData,
@ -71,7 +76,9 @@ export const topic = catchAsyncErrors(async (req, res, next) => {
}); });
export const profile = catchAsyncErrors(async (req, res, next) => { export const profile = catchAsyncErrors(async (req, res, next) => {
const profileData = await getProfile(req.params.name); const { name } = req.params;
const { lang } = req.query;
const profileData = await getProfile(name, lang);
res.status(200).render('profile', { res.status(200).render('profile', {
data: profileData, data: profileData,
@ -86,9 +93,9 @@ export const profile = catchAsyncErrors(async (req, res, next) => {
export const search = catchAsyncErrors(async (req, res, next) => { export const search = catchAsyncErrors(async (req, res, next) => {
const searchText = req.urlObj.searchParams.get('q')?.trim(); const searchText = req.urlObj.searchParams.get('q')?.trim();
const { lang } = req.query;
let searchData = null; let searchData = null;
if (searchText) searchData = await getSearch(req.urlObj.search); if (searchText) searchData = await getSearch(req.urlObj.search, lang);
res.status(200).render('search', { res.status(200).render('search', {
data: searchData, data: searchData,

View file

@ -3,29 +3,31 @@
// IMPORTS // IMPORTS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
import * as cheerio from 'cheerio'; import * as cheerio from 'cheerio';
import axiosInstance from '../utils/axiosInstance.js'; import getAxiosInstance from '../utils/getAxiosInstance.js';
import AppError from '../utils/AppError.js'; import AppError from '../utils/AppError.js';
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// FUNCTION // FUNCTION
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
/** /**
* * makes a call to quora.com(with the resourceStr appended) and returns parsed JSON containing the data about the resource requested.
* @param {string} resourceStr a string after the baseURL * @param {string} resourceStr a string after the baseURL
* @param {string} keyword * @param {{keyword: string, lang?: string, toEncode?: boolean}} options additional options
* @param {boolean}} toEncode
* @returns JSON containing the result * @returns JSON containing the result
* @description makes a call to quora.com(with the resourceStr appended) and returns parsed JSON containing the data about the resource requested.
* @example await fetcher('What-is-free-and-open-software'); // will return object containing answers * @example await fetcher('What-is-free-and-open-software'); // will return object containing answers
* await fetcher('topic/Space-Physics'); // will return 'space physics' topic object * await fetcher('topic/Space-Physics'); // will return 'space physics' topic object
* await fetcher('profile/Charlie-Cheever'); // will return object containing information about charlie cheever * await fetcher('profile/Charlie-Cheever'); // will return object containing information about charlie cheever
*/ */
const fetcher = async (resourceStr, keyword = '', toEncode = true) => { const fetcher = async (
resourceStr,
{ keyword, lang, toEncode = true }
) => {
try { try {
// as url might contain unescaped chars. so, encoding it right away // as url might contain unescaped chars. so, encoding it right away
const str = toEncode ? encodeURIComponent(resourceStr) : resourceStr; const str = toEncode ? encodeURIComponent(resourceStr) : resourceStr;
const axiosInstance = getAxiosInstance(lang);
const res = await axiosInstance.get(str); const res = await axiosInstance.get(str);
const $ = cheerio.load(res.data); const $ = cheerio.load(res.data);
const regex = new RegExp(`"{\\\\"data\\\\":\\{\\\\"${keyword}.*\\}"`); // equivalent to /"\{\\"data\\":\{\\"searchConnection.*\}"/ const regex = new RegExp(`"{\\\\"data\\\\":\\{\\\\"${keyword}.*\\}"`); // equivalent to /"\{\\"data\\":\{\\"searchConnection.*\}"/

View file

@ -3,17 +3,20 @@
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// import log from '../utils/log.js'; // import log from '../utils/log.js';
import AppError from '../utils/AppError.js'; import AppError from '../utils/AppError.js';
import { quetrefy } from '../utils/urlModifiers.js';
import fetcher from './fetcher.js'; import fetcher from './fetcher.js';
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// FUNCTION // FUNCTION
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
const getAnswers = async slug => { const KEYWORD = 'question';
const getAnswers = async (slug, lang) => {
// getting data and destructuring it in case it exists // getting data and destructuring it in case it exists
const res = await fetcher(slug, 'question'); const res = await fetcher(slug, { keyword: KEYWORD, lang });
const { const {
data: { question: rawData }, data: { [KEYWORD]: rawData },
} = JSON.parse(res); } = JSON.parse(res);
if (!rawData) if (!rawData)
@ -42,14 +45,14 @@ const getAnswers = async slug => {
isAnon: ansObj.node.answer.author.isAnon, isAnon: ansObj.node.answer.author.isAnon,
image: ansObj.node.answer.author.profileImageUrl, image: ansObj.node.answer.author.profileImageUrl,
isVerified: ansObj.node.answer.author.isVerified, isVerified: ansObj.node.answer.author.isVerified,
url: ansObj.node.answer.author.profileUrl, url: quetrefy(ansObj.node.answer.author.profileUrl),
name: `${ansObj.node.answer.author.names[0].givenName} ${ansObj.node.answer.author.names[0].familyName}`, name: `${ansObj.node.answer.author.names[0].givenName} ${ansObj.node.answer.author.names[0].familyName}`,
credential: ansObj.node.answer.authorCredential?.translatedString, credential: ansObj.node.answer.authorCredential?.translatedString,
// additionalCredentials: ansObj.node.answer?.credibilityFacts.map(), // additionalCredentials: ansObj.node.answer?.credibilityFacts.map(),
}, },
originalQuestion: { originalQuestion: {
text: JSON.parse(ansObj.node.answer.question.title).sections, text: JSON.parse(ansObj.node.answer.question.title).sections,
url: ansObj.node.answer.question.url, url: quetrefy(ansObj.node.answer.question.url),
qid: ansObj.node.answer.question.qid, qid: ansObj.node.answer.question.qid,
isDeleted: ansObj.node.answer.question.isDeleted, isDeleted: ansObj.node.answer.question.isDeleted,
}, },
@ -59,7 +62,7 @@ const getAnswers = async slug => {
const data = { const data = {
question: { question: {
text: JSON.parse(rawData.title).sections, text: JSON.parse(rawData.title).sections,
url: rawData.url, url: quetrefy(rawData.url),
qid: rawData.qid, qid: rawData.qid,
idDeleted: rawData.isDeleted, idDeleted: rawData.isDeleted,
isViewable: rawData.isVisibleToViewer, isViewable: rawData.isVisibleToViewer,
@ -70,12 +73,12 @@ const getAnswers = async slug => {
topics: rawData.topics.map(topicObj => ({ topics: rawData.topics.map(topicObj => ({
tid: topicObj.tid, tid: topicObj.tid,
name: topicObj.name, name: topicObj.name,
url: topicObj.url, url: quetrefy(topicObj.url),
})), })),
relatedQuestions: rawData.bottomRelatedQuestionsInfo.relatedQuestions.map( relatedQuestions: rawData.bottomRelatedQuestionsInfo.relatedQuestions.map(
questionObj => ({ questionObj => ({
qid: questionObj.qid, qid: questionObj.qid,
url: questionObj.url, url: quetrefy(questionObj.url),
text: JSON.parse(questionObj.title).sections, text: JSON.parse(questionObj.title).sections,
}) })
), ),

View file

@ -2,6 +2,7 @@
// IMPORTS // IMPORTS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
import AppError from '../utils/AppError.js'; import AppError from '../utils/AppError.js';
import { quetrefy } from '../utils/urlModifiers.js';
import fetcher from './fetcher.js'; import fetcher from './fetcher.js';
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
@ -28,14 +29,14 @@ const feedAnswerCleaner = answer => ({
isAnon: answer.author.isAnon, isAnon: answer.author.isAnon,
image: answer.author.profileImageUrl, image: answer.author.profileImageUrl,
isVerified: answer.author.isVerified, isVerified: answer.author.isVerified,
url: answer.author.profileUrl, url: quetrefy(answer.author.profileUrl),
name: `${answer.author.names[0].givenName} ${answer.author.names[0].familyName}`, name: `${answer.author.names[0].givenName} ${answer.author.names[0].familyName}`,
credential: answer.authorCredential?.translatedString, credential: answer.authorCredential?.translatedString,
// additionalCredentials: answer?.credibilityFacts.map(), // additionalCredentials: answer?.credibilityFacts.map(),
}, },
question: { question: {
text: JSON.parse(answer.question.title).sections, text: JSON.parse(answer.question.title).sections,
url: answer.question.url, url: quetrefy(answer.question.url),
qid: answer.question.qid, qid: answer.question.qid,
isDeleted: answer.question.isDeleted, isDeleted: answer.question.isDeleted,
}, },
@ -45,7 +46,7 @@ const feedPostCleaner = post => ({
isPinned: post.isPinned, isPinned: post.isPinned,
pid: post.pid, pid: post.pid,
isViewable: post.viewerHasAccess, isViewable: post.viewerHasAccess,
url: post.url, url: quetrefy(post.url),
title: JSON.parse(post.title).sections, title: JSON.parse(post.title).sections,
isDeleted: post.isDeleted, isDeleted: post.isDeleted,
text: JSON.parse(post.content).sections, text: JSON.parse(post.content).sections,
@ -61,14 +62,14 @@ const feedPostCleaner = post => ({
image: post.author.profileImageUrl, image: post.author.profileImageUrl,
isVerified: post.author.isVerified, isVerified: post.author.isVerified,
isPlusUser: post.author.consumerBundleActive, isPlusUser: post.author.consumerBundleActive,
url: post.author.profileUrl, url: quetrefy(post.author.profileUrl),
name: `${post.author.names[0].givenName} ${post.author.names[0].familyName}`, name: `${post.author.names[0].givenName} ${post.author.names[0].familyName}`,
credential: post.authorCredential?.translatedString, credential: post.authorCredential?.translatedString,
}, },
...(post.tribeItem && { ...(post.tribeItem && {
space: { space: {
name: post.tribeItem.tribe.nameString, name: post.tribeItem.tribe.nameString,
url: post.tribeItem.tribe.url, url: quetrefy(post.tribeItem.tribe.url),
image: post.tribeItem.tribe.iconRetinaUrl, image: post.tribeItem.tribe.iconRetinaUrl,
description: post.tribeItem.descriptionString, description: post.tribeItem.descriptionString,
numFollowers: post.tribeItem.tribe.numFollowers, numFollowers: post.tribeItem.tribe.numFollowers,
@ -79,7 +80,7 @@ const feedQuestionCleaner = question => ({
type: 'question', type: 'question',
text: JSON.parse(question.title).sections, text: JSON.parse(question.title).sections,
qid: question.qid, qid: question.qid,
url: question.url, url: quetrefy(question.url),
isDeleted: question.isDeleted, isDeleted: question.isDeleted,
numFollowers: question.followerCount, numFollowers: question.followerCount,
creationTime: question.creationTime, creationTime: question.creationTime,
@ -105,12 +106,14 @@ const feedCleaner = feed => {
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// FUNCTION // FUNCTION
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
const getProfile = async slug => { const KEYWORD = 'user';
const getProfile = async (slug, lang) => {
// getting data and destructuring it in case it exists // getting data and destructuring it in case it exists
const res = await fetcher(`profile/${slug}`, 'user'); const res = await fetcher(`profile/${slug}`, { keyword: KEYWORD, lang });
const { const {
data: { user: rawData }, data: { [KEYWORD]: rawData },
} = JSON.parse(res); } = JSON.parse(res);
if (!rawData) if (!rawData)
@ -125,7 +128,7 @@ const getProfile = async slug => {
uid: rawData.uid, uid: rawData.uid,
image: rawData.profileImageUrl, image: rawData.profileImageUrl,
name: `${rawData.names[0].givenName} ${rawData.names[0].familyName}`, name: `${rawData.names[0].givenName} ${rawData.names[0].familyName}`,
profile: rawData.profileUrl, profile: quetrefy(rawData.profileUrl),
isDeceased: rawData.isDeceased, isDeceased: rawData.isDeceased,
isBusiness: rawData.businessStatus, isBusiness: rawData.businessStatus,
isBot: rawData.isUserBot, isBot: rawData.isUserBot,
@ -184,7 +187,7 @@ const getProfile = async slug => {
numFollowingSpaces: rawData.numFollowedTribes, numFollowingSpaces: rawData.numFollowedTribes,
spaces: rawData.followingTribesConnection.edges.map(space => ({ spaces: rawData.followingTribesConnection.edges.map(space => ({
numItems: space.node.numItemsOfUser, numItems: space.node.numItemsOfUser,
url: space.node.url, url: quetrefy(space.node.url),
name: space.node.nameString, name: space.node.nameString,
image: space.node.iconRetinaUrl, image: space.node.iconRetinaUrl,
isSensitive: space.node.isSensitive, isSensitive: space.node.isSensitive,
@ -194,7 +197,7 @@ const getProfile = async slug => {
numFollowingTopics: rawData.numFollowedTopics, numFollowingTopics: rawData.numFollowedTopics,
topics: rawData.expertiseTopicsConnection.edges.map(topic => ({ topics: rawData.expertiseTopicsConnection.edges.map(topic => ({
name: topic.node.name, name: topic.node.name,
url: topic.node.url, url: quetrefy(topic.node.url),
isSensitive: topic.node.isSensitive, isSensitive: topic.node.isSensitive,
numFollowers: topic.node.numFollowers, numFollowers: topic.node.numFollowers,
image: topic.node.photoUrl, image: topic.node.photoUrl,

View file

@ -3,13 +3,14 @@
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
import AppError from '../utils/AppError.js'; import AppError from '../utils/AppError.js';
import fetcher from './fetcher.js'; import fetcher from './fetcher.js';
import { quetrefy } from '../utils/urlModifiers.js';
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// HELPER FUNCTIONS // HELPER FUNCTIONS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
const topicCleaner = topic => ({ const topicCleaner = topic => ({
type: 'topic', type: 'topic',
url: topic.url, url: quetrefy(topic.url),
name: topic.name, name: topic.name,
numFollowers: topic.numFollowers, numFollowers: topic.numFollowers,
image: topic.photoUrl, image: topic.photoUrl,
@ -18,7 +19,7 @@ const topicCleaner = topic => ({
const spaceCleaner = space => ({ const spaceCleaner = space => ({
type: 'space', type: 'space',
numUsers: space.tribeUserCount, numUsers: space.tribeUserCount,
url: space.url, url: quetrefy(space.url),
name: space.nameString, name: space.nameString,
description: space.descriptionString, description: space.descriptionString,
image: space.iconRetinaUrl, image: space.iconRetinaUrl,
@ -29,7 +30,7 @@ const profileCleaner = profile => ({
credential: profile.bestCredential?.translatedString, credential: profile.bestCredential?.translatedString,
isAnon: profile.isAnon, isAnon: profile.isAnon,
name: `${profile.names[0]?.givenName} ${profile.names[0]?.familyName}`, name: `${profile.names[0]?.givenName} ${profile.names[0]?.familyName}`,
url: profile.profileUrl, url: quetrefy(profile.profileUrl),
image: profile.profileImageUrl, image: profile.profileImageUrl,
numFollowers: profile.followerCount, numFollowers: profile.followerCount,
isVerified: profile.isVerified, isVerified: profile.isVerified,
@ -39,7 +40,7 @@ const profileCleaner = profile => ({
const questionCleaner = question => ({ const questionCleaner = question => ({
type: 'question', type: 'question',
text: JSON.parse(question.title).sections, text: JSON.parse(question.title).sections,
url: question.url, url: quetrefy(question.url),
isDeleted: question.isDeleted, isDeleted: question.isDeleted,
numFollowers: question.followerCount, numFollowers: question.followerCount,
creationTime: question.creationTime, creationTime: question.creationTime,
@ -55,7 +56,7 @@ const answerCleaner = ({ question, previewAnswer: answer }) => ({
originalQuestion: { originalQuestion: {
text: JSON.parse(answer.originalQuestionIfDifferent.question.title) text: JSON.parse(answer.originalQuestionIfDifferent.question.title)
.sections, .sections,
url: answer.originalQuestionIfDifferent.question.url, url: quetrefy(answer.originalQuestionIfDifferent.question.url),
qid: answer.originalQuestionIfDifferent.question.qid, qid: answer.originalQuestionIfDifferent.question.qid,
}, },
}), }),
@ -69,7 +70,7 @@ const answerCleaner = ({ question, previewAnswer: answer }) => ({
numShares: answer.numSharers, numShares: answer.numSharers,
numAnswerRequests: answer.numRequesters, numAnswerRequests: answer.numRequesters,
isBusinessAnswer: answer.businessAnswer, isBusinessAnswer: answer.businessAnswer,
url: answer.url, url: quetrefy(answer.url),
isSensitive: answer.isSensitive, isSensitive: answer.isSensitive,
author: { author: {
uid: answer.author.uid, uid: answer.author.uid,
@ -77,7 +78,7 @@ const answerCleaner = ({ question, previewAnswer: answer }) => ({
image: answer.author.profileImageUrl, image: answer.author.profileImageUrl,
isVerified: answer.author.isVerified, isVerified: answer.author.isVerified,
isPlusUser: answer.author.consumerBundleActive, isPlusUser: answer.author.consumerBundleActive,
url: answer.author.profileUrl, url: quetrefy(answer.author.profileUrl),
name: `${answer.author.names[0].givenName} ${answer.author.names[0].familyName}`, name: `${answer.author.names[0].givenName} ${answer.author.names[0].familyName}`,
credential: answer.authorCredential?.translatedString, credential: answer.authorCredential?.translatedString,
}, },
@ -86,7 +87,7 @@ const postCleaner = post => ({
type: 'post', type: 'post',
pid: post.pid, pid: post.pid,
isViewable: post.viewerHasAccess, isViewable: post.viewerHasAccess,
url: post.url, url: quetrefy(post.url),
title: JSON.parse(post.title).sections, title: JSON.parse(post.title).sections,
isDeleted: post.isDeleted, isDeleted: post.isDeleted,
isSensitive: post.isSensitive, isSensitive: post.isSensitive,
@ -103,7 +104,7 @@ const postCleaner = post => ({
image: post.author.profileImageUrl, image: post.author.profileImageUrl,
isVerified: post.author.isVerified, isVerified: post.author.isVerified,
isPlusUser: post.author.consumerBundleActive, isPlusUser: post.author.consumerBundleActive,
url: post.author.profileUrl, url: quetrefy(post.author.profileUrl),
name: `${post.author.names[0].givenName} ${post.author.names[0].familyName}`, name: `${post.author.names[0].givenName} ${post.author.names[0].familyName}`,
credential: post.authorCredential?.translatedString, credential: post.authorCredential?.translatedString,
}, },
@ -111,7 +112,7 @@ const postCleaner = post => ({
space: { space: {
isSensitive: post.tribeItem.tribe.isSensitive, isSensitive: post.tribeItem.tribe.isSensitive,
name: post.tribeItem.tribe.nameString, name: post.tribeItem.tribe.nameString,
url: post.tribeItem.tribe.url, url: quetrefy(post.tribeItem.tribe.url),
image: post.tribeItem.tribe.iconRetinaUrl, image: post.tribeItem.tribe.iconRetinaUrl,
description: post.tribeItem.descriptionString, description: post.tribeItem.descriptionString,
numFollowers: post.tribeItem.tribe.numFollowers, numFollowers: post.tribeItem.tribe.numFollowers,
@ -139,11 +140,14 @@ const resultsCleaner = results => {
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// FUNCTION // FUNCTION
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
const getSearch = async querySlug => { const KEYWORD = 'searchConnection';
const res = await fetcher(`search/${querySlug}`, 'searchConnection', false);
const getSearch = async (querySlug, lang) => {
const options = { keyword: KEYWORD, lang, toEncode: false };
const res = await fetcher(`search/${querySlug}`, options);
const { const {
data: { searchConnection: rawData }, data: { [KEYWORD]: rawData },
} = JSON.parse(res); } = JSON.parse(res);
if (!rawData) if (!rawData)

View file

@ -2,17 +2,21 @@
// IMPORTS // IMPORTS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
import AppError from '../utils/AppError.js'; import AppError from '../utils/AppError.js';
import { quetrefy } from '../utils/urlModifiers.js';
import fetcher from './fetcher.js'; import fetcher from './fetcher.js';
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// FUNCTION // FUNCTION
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
const getTopic = async slug => {
const KEYWORD = 'topic';
const getTopic = async (slug, lang) => {
// getting data and destructuring it in case it exists, else throwing an error // getting data and destructuring it in case it exists, else throwing an error
const res = await fetcher(`topic/${slug}`, 'topic'); const res = await fetcher(`topic/${slug}`, { keyword: KEYWORD, lang });
const { const {
data: { topic: rawData }, data: { [KEYWORD]: rawData },
} = JSON.parse(res); } = JSON.parse(res);
if (!rawData) if (!rawData)
@ -24,7 +28,7 @@ const getTopic = async slug => {
const data = { const data = {
tid: rawData.tid, tid: rawData.tid,
name: rawData.name, name: rawData.name,
url: rawData.url, url: quetrefy(rawData.url),
image: rawData.photoUrl, image: rawData.photoUrl,
aliases: rawData.aliases, aliases: rawData.aliases,
numFollowers: rawData.numFollowers, numFollowers: rawData.numFollowers,
@ -34,7 +38,7 @@ const getTopic = async slug => {
mostViewedAuthors: rawData.mostViewedAuthors.map(author => ({ mostViewedAuthors: rawData.mostViewedAuthors.map(author => ({
uid: author.user.uid, uid: author.user.uid,
name: `${author.user.names[0].givenName} ${author.user.names[0].familyName}`, name: `${author.user.names[0].givenName} ${author.user.names[0].familyName}`,
profile: author.user.profileUrl, profile: quetrefy(author.user.profileUrl),
image: author.user.profileImageUrl, image: author.user.profileImageUrl,
isAnon: author.user.isAnon, isAnon: author.user.isAnon,
isVerified: author.user.isVerified, isVerified: author.user.isVerified,
@ -46,7 +50,7 @@ const getTopic = async slug => {
relatedTopics: rawData.relatedTopics.map(topic => ({ relatedTopics: rawData.relatedTopics.map(topic => ({
tid: topic.tid, tid: topic.tid,
name: topic.name, name: topic.name,
url: topic.url, url: quetrefy(topic.url),
image: topic.photoUrl, image: topic.photoUrl,
numFollowers: topic.numFollowers, numFollowers: topic.numFollowers,
})), })),

View file

@ -1,28 +0,0 @@
////////////////////////////////////////////////////////
// IMPORTS
////////////////////////////////////////////////////////
import axios from 'axios';
////////////////////////////////////////////////////////
// FUNCTION
////////////////////////////////////////////////////////
/**
* @description an axios instance having base url already set
*/
const axiosInstance = axios.create({
baseURL: 'https://www.quora.com',
// conditionally adding headers to the request config using ES6 spreading and short-circuiting
headers: {
...(process.env.AXIOS_USER_AGENT && {
'User-Agent': process.env.AXIOS_USER_AGENT,
}),
...(process.env.ACCEPT && {
Accept: process.env.ACCEPT,
}),
},
});
////////////////////////////////////////////////////////
// EXPORTS
////////////////////////////////////////////////////////
export default axiosInstance;

View file

@ -1,12 +1,46 @@
/* eslint-disable import/prefer-default-export */
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// EXPORTS // EXPORTS
//////////////////////////////////////////////////////// ////////////////////////////////////////////////////////
// some routes are accidentally thought of as slug for answered question. filtering those here. /**
* some routes are accidentally thought of as slug for answered question. filtering those here.
*/
export const nonSlugRoutes = [ export const nonSlugRoutes = [
'favicon.ico', 'favicon.ico',
'apple-touch-icon.png', 'apple-touch-icon.png',
'site.webmanifest', 'site.webmanifest',
'icon.svg', 'icon.svg',
]; ];
/**
* array of languages supported.
*
* see {@link https://help.quora.com/hc/en-us/articles/360015662751-What-languages-does-Quora-support- this help question} and {@link https://loc.gov/standards/iso639-2/ISO-639-2_utf-8.txt this list} for more.
*
*/
export const acceptedLanguages = [
'en', // English
'es', // Spanish
'fr', // French
'de', // German
'it', // Italian
'ja', // Japanese
'id', // Indonesian
'pt', // Portuguese
'hi', // Hindi
'nl', // Dutch
'da', // Danish
'fi', // Finnish
'nb', // Norwegian
'sv', // Swedish
'mr', // Marathi
'bn', // Bengali
'ta', // Tamil
'ar', // Arabic
'he', // Hebrew
'gu', // Gujarati
'kn', // Kannada
'ml', // Malayalam
'te', // Telugu
'po', // Polish
];

31
utils/getAxiosInstance.js Normal file
View file

@ -0,0 +1,31 @@
////////////////////////////////////////////////////////
// IMPORTS
////////////////////////////////////////////////////////
import axios from 'axios';
////////////////////////////////////////////////////////
// FUNCTION
////////////////////////////////////////////////////////
/**
* @description an axios instance having base url already set
* @param {string} lang language to use. default is english.
* @returns AxiosInstance
*/
const getAxiosInstance = (subdomain = 'www') =>
axios.create({
baseURL: `https://${subdomain}.quora.com`,
// conditionally adding headers to the request config using ES6 spreading and short-circuiting
headers: {
...(process.env.AXIOS_USER_AGENT && {
'User-Agent': process.env.AXIOS_USER_AGENT,
}),
...(process.env.ACCEPT && {
Accept: process.env.ACCEPT,
}),
},
});
////////////////////////////////////////////////////////
// EXPORTS
////////////////////////////////////////////////////////
export default getAxiosInstance;

View file

@ -4,7 +4,7 @@
/** /**
* *
* @param {string | {}} toLog stuff to log * @param {string | object} toLog stuff to log
* @param {'success'| 'error'} type optional type param to color the log accordingly * @param {'success'| 'error'} type optional type param to color the log accordingly
* @description logs color coded stuff to the stdout so that it's easily distinguishable * @description logs color coded stuff to the stdout so that it's easily distinguishable
*/ */
@ -27,6 +27,7 @@ function log(toLog, type = null) {
} }
// actually logging to the console // actually logging to the console
// eslint-disable-next-line no-console
console.log( console.log(
`\u001b[${data.colorCode}m ${data.emoji} ${data.message}\n${data.stack} \u001b[39m` `\u001b[${data.colorCode}m ${data.emoji} ${data.message}\n${data.stack} \u001b[39m`
); );

17
utils/relatedUrls.js Normal file
View file

@ -0,0 +1,17 @@
const reformatRelatedUrl = (url) => {
// extract the lang and question properties from url
let lang = url.substring(url.indexOf('://'), url.indexOf('.quora.com'));
let question = url.substring(url.indexOf('quora.com'));
lang = lang.replace('://', '');
question = question.replace('quora.com', '');
if (lang.length <= 1) {
lang = 'en';
}
return `${question}?lang=${lang}`;
};
export default reformatRelatedUrl;

23
utils/urlModifiers.js Normal file
View file

@ -0,0 +1,23 @@
/* eslint-disable import/prefer-default-export */
import { acceptedLanguages } from './constants.js';
/**
* modifies link to be quetre-friendly.
* @param {string} url the quora url to transform. could be relative or absolute
*/
export const quetrefy = url => {
try {
const link = new URL(url);
const subdomain = link.hostname.split('.')[0];
// normal url
if (subdomain === 'www') return link.pathname;
// lang specific route
if (acceptedLanguages.includes(subdomain))
return `${link.pathname}?lang=${subdomain}`;
// must be spaces link
return `/space/${subdomain}${link.pathname}`;
} catch {
// must be a relative url
return url;
}
};

View file

@ -17,7 +17,7 @@ mixin spansChecker(spans)
a.text__span-link.text__link(href=span.modifiers.embed.url)= span.modifiers.embed.title || '(link to user embedded content)' a.text__span-link.text__link(href=span.modifiers.embed.url)= span.modifiers.embed.title || '(link to user embedded content)'
//- handle links //- handle links
- else if (span.modifiers.link) //- removing quora.com from the link in case it is a quora.com link. - else if (span.modifiers.link) //- removing quora.com from the link in case it is a quora.com link.
a.text__span-link.text__link(href=span.modifiers.link.url.split('https://www.quora.com')[1] || span.modifiers.link.url)=span.text +quetrefyUrl(span.modifiers.link.url, span.text)(class='text__span-link text__link')
//- handle bold + italic text //- handle bold + italic text
- else if (!!span.modifiers.bold && !!span.modifiers.italic) - else if (!!span.modifiers.bold && !!span.modifiers.italic)
strong.text__span-bold: em.text__span-italic= span.text strong.text__span-bold: em.text__span-italic= span.text

View file

@ -10,4 +10,36 @@ mixin formatNumber(number, className='')
span(class=className)= new Intl.NumberFormat().format(number) span(class=className)= new Intl.NumberFormat().format(number)
mixin proxifyImg(imgUrl) mixin proxifyImg(imgUrl)
img(src=imgUrl.replace('https://', '/api/v1/image/'), loading='lazy')&attributes(attributes) img(src=imgUrl.replace('https://', '/api/v1/image/'), loading='lazy')&attributes(attributes)
mixin quetrefyUrl(url, text)
-
let link;
const acceptedLanguages=['en','es','fr','de','it','ja','id','pt','hi','nl','da','fi','nb','sv','mr','bn','ta','ar','he','gu','kn','ml','te','po',];
try {
link = new URL(url);
const subdomain = link.hostname.split('.')[0];
if (!link.hostname.includes('quora.com')) link = url;
else if (subdomain === 'www') return link.pathname;
else if (acceptedLanguages.includes(subdomain)) link = `${link.pathname}?lang=${subdomain}`;
else link = `/space/${subdomain}${link.pathname}`;
} catch {
link = url;
}
a(href=link)&attributes(attributes)= text
mixin quorafyUrl(url)
-
const link = new URL(url, 'https://www.quora.com');
const lang = link.searchParams.get('lang');
const match = /(?<=^\/space\/)([^\/]+)\/(.*)$/.exec(link.pathname); // taking space name and rest of pathname out.
if(lang) {
link.hostname = `${lang}.quora.com`;
link.searchParams.delete('lang');
} else if(match) {
link.hostname = `${match[1]}.quora.com`;
link.pathname = match[2];
}
a(href=link.href, rel='noreferrer', target='_blank')&attributes(attributes) View on Quora

View file

@ -18,7 +18,7 @@ block content
.answers__metadata .answers__metadata
p.answers__answers-total= `${ data.numAnswers ? 'Total answers: ' + data.numAnswers : 'Unanswered'}` p.answers__answers-total= `${ data.numAnswers ? 'Total answers: ' + data.numAnswers : 'Unanswered'}`
p.answers__answers-shown Viewable answers: #{data.answers.length} p.answers__answers-shown Viewable answers: #{data.answers.length}
a.answers__question-link.answers__link(href='https://www.quora.com' + data.question.url) View on Quora +quorafyUrl(data.question.url)(class='answers__question-link answers__link')
//- ANSWERS TO THIS QUESTION //- ANSWERS TO THIS QUESTION
.answers-box.answers__answers-box .answers-box.answers__answers-box

View file

@ -60,7 +60,7 @@ block content
+addMetadataSecondary('flower', 'Deceased', '', 'empty') +addMetadataSecondary('flower', 'Deceased', '', 'empty')
if data.basic.isBusiness if data.basic.isBusiness
+addMetadataSecondary('briefcase', 'Business', '', 'empty') +addMetadataSecondary('briefcase', 'Business', '', 'empty')
a.link(href='https://www.quora.com' + data.basic.profile) View on Quora +quorafyUrl(data.basic.profile)(class='link')
if data.profileFeed.description[0].spans[0].text if data.profileFeed.description[0].spans[0].text
.profile-meta__description .profile-meta__description

View file

@ -24,7 +24,7 @@ block content
+addMetadataSecondary('question','Questions', data.numQuestions) +addMetadataSecondary('question','Questions', data.numQuestions)
if data.isAdult if data.isAdult
+addMetadataSecondary('danger', 'Adult Topic', '18+', true) +addMetadataSecondary('danger', 'Adult Topic', '18+', true)
a.link(href='https://www.quora.com' + data.url) View on Quora +quorafyUrl(data.url)(class='link')
//- AUTHORS RELATED TO THE TOPIC AND METADATA //- AUTHORS RELATED TO THE TOPIC AND METADATA
.topic__famous-authors.famous-authors .topic__famous-authors.famous-authors