File size: 9,987 Bytes
4e1096a | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 | import { BookMetadata, EXTS } from '@/libs/document';
import { Book, BookConfig, BookProgress, WritingMode } from '@/types/book';
import { SUPPORTED_LANGS } from '@/services/constants';
import { getLocale, getUserLang, makeSafeFilename } from './misc';
import { getStorageType } from './storage';
import { getDirFromLanguage } from './rtl';
import { code6392to6391, isValidLang, normalizedLangCode } from './lang';
import { md5 } from './md5';
export const getDir = (book: Book) => {
return `${book.hash}`;
};
export const getLibraryFilename = () => {
return 'library.json';
};
export const getLibraryBackupFilename = () => {
return 'library_backup.json';
};
export const getRemoteBookFilename = (book: Book) => {
// S3 storage: https://docs.aws.amazon.com/zh_cn/AmazonS3/latest/userguide/object-keys.html
if (getStorageType() === 'r2') {
return `${book.hash}/${makeSafeFilename(book.sourceTitle || book.title)}.${EXTS[book.format]}`;
} else if (getStorageType() === 's3') {
return `${book.hash}/${book.hash}.${EXTS[book.format]}`;
} else {
return '';
}
};
export const getLocalBookFilename = (book: Book) => {
return `${book.hash}/${makeSafeFilename(book.sourceTitle || book.title)}.${EXTS[book.format]}`;
};
export const getCoverFilename = (book: Book) => {
return `${book.hash}/cover.png`;
};
export const getConfigFilename = (book: Book) => {
return `${book.hash}/config.json`;
};
export const isBookFile = (filename: string) => {
return Object.values(EXTS).includes(filename.split('.').pop()!);
};
export const INIT_BOOK_CONFIG: BookConfig = {
updatedAt: 0,
};
export interface LanguageMap {
[key: string]: string;
}
export interface Identifier {
scheme: string;
value: string;
}
export interface Contributor {
name: LanguageMap;
}
export interface Collection {
name: string;
position?: string;
}
const formatLanguageMap = (x: string | LanguageMap, defaultLang = false): string => {
const userLang = getUserLang();
if (!x) return '';
if (typeof x === 'string') return x;
const keys = Object.keys(x);
return defaultLang ? x[keys[0]!]! : x[userLang] || x[keys[0]!]!;
};
export const listFormater = (narrow = false, lang = '') => {
lang = lang ? lang : getUserLang();
if (narrow) {
return new Intl.ListFormat('en', { style: 'narrow', type: 'unit' });
} else {
return new Intl.ListFormat(lang, { style: 'long', type: 'conjunction' });
}
};
export const getBookLangCode = (lang: string | string[] | undefined) => {
try {
const bookLang = typeof lang === 'string' ? lang : lang?.[0];
return bookLang ? bookLang.split('-')[0]! : '';
} catch {
return '';
}
};
export const flattenContributors = (
contributors: string | string[] | Contributor | Contributor[],
) => {
if (!contributors) return '';
return Array.isArray(contributors)
? contributors
.map((contributor) =>
typeof contributor === 'string' ? contributor : formatLanguageMap(contributor?.name),
)
.join(', ')
: typeof contributors === 'string'
? contributors
: formatLanguageMap(contributors?.name);
};
// prettier-ignore
const LASTNAME_AUTHOR_SORT_LANGS = [ 'ar', 'bo', 'de', 'en', 'es', 'fr', 'hi', 'it', 'nl', 'pl', 'pt', 'ru', 'th', 'tr', 'uk' ];
const formatAuthorName = (name: string, lastNameFirst: boolean) => {
if (!name) return '';
const parts = name.split(' ');
if (lastNameFirst && parts.length > 1) {
return `${parts[parts.length - 1]}, ${parts.slice(0, -1).join(' ')}`;
}
return name;
};
export const formatAuthors = (
contributors: string | string[] | Contributor | Contributor[],
bookLang?: string | string[],
sortAs?: boolean,
) => {
const langCode = getBookLangCode(bookLang) || 'en';
const lastNameFirst = !!sortAs && LASTNAME_AUTHOR_SORT_LANGS.includes(langCode);
return Array.isArray(contributors)
? listFormater(langCode === 'zh', langCode).format(
contributors.map((contributor) =>
typeof contributor === 'string'
? formatAuthorName(contributor, lastNameFirst)
: formatAuthorName(formatLanguageMap(contributor?.name), lastNameFirst),
),
)
: typeof contributors === 'string'
? formatAuthorName(contributors, lastNameFirst)
: formatAuthorName(formatLanguageMap(contributors?.name), lastNameFirst);
};
export const formatTitle = (title: string | LanguageMap) => {
return typeof title === 'string' ? title : formatLanguageMap(title);
};
export const formatDescription = (description?: string | LanguageMap) => {
if (!description) return '';
const text = typeof description === 'string' ? description : formatLanguageMap(description);
return text
.replace(/<\/?[^>]+(>|$)/g, '')
.replace(/&#\d+;/g, '')
.trim();
};
export const formatPublisher = (publisher: string | LanguageMap) => {
return typeof publisher === 'string' ? publisher : formatLanguageMap(publisher);
};
const langCodeToLangName = (langCode: string) => {
return SUPPORTED_LANGS[langCode] || langCode.toUpperCase();
};
export const formatLanguage = (lang: string | string[] | undefined): string => {
return Array.isArray(lang)
? lang.map(langCodeToLangName).join(', ')
: langCodeToLangName(lang || '');
};
// Should return valid ISO-639-1 language code, fallback to 'en' if not valid
export const getPrimaryLanguage = (lang: string | string[] | undefined) => {
const primaryLang = Array.isArray(lang) ? lang[0] : lang;
if (isValidLang(primaryLang)) {
const normalizedLang = normalizedLangCode(primaryLang);
return code6392to6391(normalizedLang) || normalizedLang;
}
return 'en';
};
export const formatDate = (date: string | number | Date | null | undefined, isUTC = false) => {
if (!date) return;
const userLang = getUserLang();
try {
return new Date(date).toLocaleDateString(userLang, {
year: 'numeric',
month: 'long',
day: 'numeric',
timeZone: isUTC ? 'UTC' : undefined,
});
} catch {
return;
}
};
export const formatLocaleDateTime = (date: number | Date) => {
const userLang = getLocale();
return new Date(date).toLocaleString(userLang);
};
export const formatBytes = (bytes?: number | null, locale = 'en-US') => {
if (!bytes) return '';
const units = ['byte', 'kilobyte', 'megabyte', 'gigabyte', 'terabyte'];
const i = Math.floor(Math.log(bytes) / Math.log(1024));
const value = bytes / Math.pow(1024, i);
const formatter = new Intl.NumberFormat(locale, {
style: 'unit',
unit: units[i],
unitDisplay: 'short',
maximumFractionDigits: 2,
});
return formatter.format(value);
};
export const getCurrentPage = (book: Book, progress: BookProgress) => {
const bookFormat = book.format;
const { section, pageinfo } = progress;
return bookFormat === 'PDF'
? section
? section.current + 1
: 0
: pageinfo
? pageinfo.current + 1
: 0;
};
export const getBookDirFromWritingMode = (writingMode: WritingMode) => {
switch (writingMode) {
case 'horizontal-tb':
return 'ltr';
case 'horizontal-rl':
case 'vertical-rl':
return 'rtl';
default:
return 'auto';
}
};
export const getBookDirFromLanguage = (language: string | string[] | undefined) => {
const lang = getPrimaryLanguage(language) || '';
return getDirFromLanguage(lang);
};
const getTitleForHash = (title: string | LanguageMap) => {
return typeof title === 'string' ? title : formatLanguageMap(title, true);
};
const getAuthorsList = (contributors: string | string[] | Contributor | Contributor[]) => {
if (!contributors) return [];
return Array.isArray(contributors)
? contributors
.map((contributor) =>
typeof contributor === 'string'
? contributor
: formatLanguageMap(contributor?.name, true),
)
.filter(Boolean)
: [
typeof contributors === 'string'
? contributors
: formatLanguageMap(contributors?.name, true),
];
};
const normalizeIdentifier = (identifier: string) => {
try {
if (identifier.includes('urn:')) {
// Slice after the last ':'
return identifier.match(/[^:]+$/)?.[0] || '';
} else if (identifier.includes(':')) {
// Slice after the first ':'
return identifier.match(/^[^:]+:(.+)$/)?.[1] || '';
}
} catch {
return identifier;
}
return identifier;
};
const getPreferredIdentifier = (identifiers: string[] | Identifier[]) => {
for (const scheme of ['uuid', 'calibre', 'isbn']) {
const found = identifiers.find((identifier) =>
typeof identifier === 'string'
? identifier.toLowerCase().includes(scheme)
: identifier.scheme.toLowerCase() === scheme,
);
if (found) {
return typeof found === 'string' ? normalizeIdentifier(found) : found.value;
}
}
return;
};
const getIdentifiersList = (
identifiers: undefined | string | string[] | Identifier | Identifier[],
) => {
if (!identifiers) return [];
if (Array.isArray(identifiers)) {
const preferred = getPreferredIdentifier(identifiers);
if (preferred) {
return [preferred];
}
}
return Array.isArray(identifiers)
? identifiers
.map((identifier) =>
typeof identifier === 'string' ? normalizeIdentifier(identifier) : identifier.value,
)
.filter(Boolean)
: typeof identifiers === 'string'
? [normalizeIdentifier(identifiers)]
: [identifiers.value];
};
export const getMetadataHash = (metadata: BookMetadata) => {
try {
const title = getTitleForHash(metadata.title);
const authors = getAuthorsList(metadata.author).join(',');
const identifiers = getIdentifiersList(metadata.altIdentifier || metadata.identifier).join(',');
const hashSource = `${title}|${authors}|${identifiers}`;
const metaHash = md5(hashSource.normalize('NFC'));
return metaHash;
} catch (error) {
console.error('Error generating metadata hash:', error);
}
return;
};
|