2
0
mirror of https://github.com/frappe/books.git synced 2024-09-20 03:29:00 +00:00
books/main/getLanguageMap.ts

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

195 lines
4.9 KiB
TypeScript
Raw Normal View History

2022-02-16 10:05:35 +00:00
/**
* Language files are packaged into the binary, if
* newer files are available (if internet available)
* then those will replace the current file.
*
2022-02-16 10:05:35 +00:00
* Language files are fetched from the frappe/books repo
* the language files before storage have a ISO timestamp
* prepended to the file.
*
* This timestamp denotes the commit datetime, update of the file
* takes place only if a new update has been pushed.
*/
import { constants } from 'fs';
import fs from 'fs/promises';
import path from 'path';
import { parseCSV } from 'utils/csvParser';
import { LanguageMap } from 'utils/types';
2022-02-16 10:05:35 +00:00
const fetch = require('node-fetch').default;
const VALENTINES_DAY = 1644796800000;
export async function getLanguageMap(code: string): Promise<LanguageMap> {
const contents = await getContents(code);
return getMapFromCsv(contents);
2022-02-16 10:05:35 +00:00
}
function getMapFromCsv(csv: string): LanguageMap {
const matrix = parseCSV(csv);
const languageMap: LanguageMap = {};
for (const row of matrix) {
/**
* Ignore lines that have no translations
*/
if (!row[0] || !row[1]) {
continue;
}
const source = row[0];
const translation = row[1];
const context = row[3];
languageMap[source] = { translation };
if (context?.length) {
languageMap[source].context = context;
}
}
return languageMap;
2022-02-16 10:05:35 +00:00
}
async function getContents(code: string) {
let contents = await getContentsIfExists(code);
if (contents.length === 0) {
contents = (await fetchAndStoreFile(code)) || contents;
} else {
contents = (await getUpdatedContent(code, contents)) || contents;
}
if (!contents || contents.length === 0) {
throwCouldNotFetchFile(code);
}
return contents;
}
2022-02-16 10:05:35 +00:00
async function getContentsIfExists(code: string): Promise<string> {
const filePath = await getTranslationFilePath(code);
if (!filePath) {
2022-02-16 10:05:35 +00:00
return '';
}
return await fs.readFile(filePath, { encoding: 'utf-8' });
2022-02-16 10:41:08 +00:00
}
2022-02-16 10:05:35 +00:00
async function fetchAndStoreFile(code: string, date?: Date) {
let contents = await fetchContentsFromApi(code);
if (!contents) {
contents = await fetchContentsFromRaw(code);
2022-02-16 10:41:08 +00:00
}
if (!date && contents) {
date = await getLastUpdated(code);
}
2022-02-16 10:05:35 +00:00
if (contents) {
contents = [date!.toISOString(), contents].join('\n');
await storeFile(code, contents);
}
return contents ?? '';
}
async function fetchContentsFromApi(code: string) {
const url = `https://api.github.com/repos/frappe/books/contents/translations/${code}.csv`;
const res = await errorHandledFetch(url);
if (res === null || res.status !== 200) {
return null;
}
const resJson = await res.json();
return Buffer.from(resJson.content, 'base64').toString();
}
async function fetchContentsFromRaw(code: string) {
const url = `https://raw.githubusercontent.com/frappe/books/master/translations/${code}.csv`;
const res = await errorHandledFetch(url);
if (res === null || res.status !== 200) {
return null;
}
return await res.text();
2022-02-16 10:05:35 +00:00
}
async function getUpdatedContent(code: string, contents: string) {
const { shouldUpdate, date } = await shouldUpdateFile(code, contents);
2022-02-16 10:05:35 +00:00
if (!shouldUpdate) {
return contents;
}
return await fetchAndStoreFile(code, date);
}
async function shouldUpdateFile(code: string, contents: string) {
2022-02-16 10:05:35 +00:00
const date = await getLastUpdated(code);
const oldDate = new Date(contents.split('\n')[0]);
const shouldUpdate = date > oldDate || +oldDate === VALENTINES_DAY;
return { shouldUpdate, date };
2022-02-16 10:05:35 +00:00
}
async function getLastUpdated(code: string): Promise<Date> {
2022-02-16 10:05:35 +00:00
const url = `https://api.github.com/repos/frappe/books/commits?path=translations%2F${code}.csv&page=1&per_page=1`;
const res = await errorHandledFetch(url);
if (res === null || res.status !== 200) {
return new Date(VALENTINES_DAY);
}
2022-02-16 10:05:35 +00:00
const resJson = await res.json();
try {
return new Date(resJson[0].commit.author.date);
} catch {
return new Date(VALENTINES_DAY);
2022-02-16 10:05:35 +00:00
}
}
async function getTranslationFilePath(code: string) {
let filePath = path.join(
process.resourcesPath,
`../translations/${code}.csv`
);
try {
await fs.access(filePath, constants.R_OK);
} catch {
/**
* This will be used for in Development mode
*/
filePath = path.join(__dirname, `../translations/${code}.csv`);
}
try {
await fs.access(filePath, constants.R_OK);
} catch {
return '';
}
return filePath;
2022-02-16 10:05:35 +00:00
}
function throwCouldNotFetchFile(code: string) {
throw new Error(`Could not fetch translations for '${code}'.`);
2022-02-16 10:05:35 +00:00
}
async function storeFile(code: string, contents: string) {
const filePath = await getTranslationFilePath(code);
if (!filePath) {
return;
}
2022-02-16 10:41:08 +00:00
const dirname = path.dirname(filePath);
await fs.mkdir(dirname, { recursive: true });
2022-02-16 10:05:35 +00:00
await fs.writeFile(filePath, contents, { encoding: 'utf-8' });
}
async function errorHandledFetch(url: string) {
try {
return (await fetch(url)) as Response;
} catch {
return null;
}
}