Chore: update build infra & performance improvements

This commit is contained in:
SukkaW
2023-11-29 21:50:10 +08:00
parent f14a604264
commit 34c67e5a0d
8 changed files with 146 additions and 29 deletions

View File

@@ -10,6 +10,9 @@ const EXCLUDE_CIDRS = [
'223.120.0.0/15' '223.120.0.0/15'
]; ];
// preload the module
import('cidr-tools-wasm');
export const buildChnCidr = task(import.meta.path, async () => { export const buildChnCidr = task(import.meta.path, async () => {
const [{ exclude }, cidr] = await Promise.all([ const [{ exclude }, cidr] = await Promise.all([
import('cidr-tools-wasm'), import('cidr-tools-wasm'),

View File

@@ -22,6 +22,9 @@ const RESERVED_IPV4_CIDR = [
'240.0.0.0/4' '240.0.0.0/4'
]; ];
// preload the module
import('cidr-tools-wasm');
export const buildInternalReverseChnCIDR = task(import.meta.path, async () => { export const buildInternalReverseChnCIDR = task(import.meta.path, async () => {
const [{ exclude }, cidr] = await Promise.all([ const [{ exclude }, cidr] = await Promise.all([
import('cidr-tools-wasm'), import('cidr-tools-wasm'),

View File

@@ -67,7 +67,6 @@ export const downloadPreviousBuild = task(import.meta.path, async () => {
async onentry(entry) { async onentry(entry) {
if (entry.type !== 'File') { if (entry.type !== 'File') {
// not a file, throw away // not a file, throw away
console.log(entry.type, entry.path)
entry.resume(); entry.resume();
return; return;
} }

View File

@@ -6,10 +6,12 @@ export async function compareAndWriteFile(linesA: string[], filePath: string) {
let isEqual = true; let isEqual = true;
const file = Bun.file(filePath); const file = Bun.file(filePath);
const linesALen = linesA.length;
if (!(await file.exists())) { if (!(await file.exists())) {
console.log(`${filePath} does not exists, writing...`); console.log(`${filePath} does not exists, writing...`);
isEqual = false; isEqual = false;
} else if (linesA.length === 0) { } else if (linesALen === 0) {
console.log(`Nothing to write to ${filePath}...`); console.log(`Nothing to write to ${filePath}...`);
isEqual = false; isEqual = false;
} else { } else {
@@ -35,23 +37,24 @@ export async function compareAndWriteFile(linesA: string[], filePath: string) {
} }
} }
if (index !== linesA.length) { if (index !== linesALen) {
// The file becomes larger
isEqual = false; isEqual = false;
} }
} }
if (!isEqual) { if (isEqual) {
const writer = file.writer(); console.log(`Same Content, bail out writing: ${filePath}`);
for (let i = 0, len = linesA.length; i < len; i++) {
writer.write(`${linesA[i]}\n`);
}
await writer.end();
return; return;
} }
console.log(`Same Content, bail out writing: ${filePath}`); const writer = file.writer();
for (let i = 0; i < linesALen; i++) {
writer.write(`${linesA[i]}\n`);
}
return writer.end();
} }
export const withBannerArray = (title: string, description: string[], date: Date, content: string[]) => { export const withBannerArray = (title: string, description: string[], date: Date, content: string[]) => {

View File

@@ -1,5 +1,112 @@
// @ts-expect-error -- missing types import retry from 'async-retry';
import createFetchRetry from '@vercel/fetch-retry';
// retry settings
const MIN_TIMEOUT = 10;
const MAX_RETRIES = 5;
const MAX_RETRY_AFTER = 20;
const FACTOR = 6;
function isClientError(err: any): err is NodeJS.ErrnoException {
if (!err) return false;
return (
err.code === 'ERR_UNESCAPED_CHARACTERS' ||
err.message === 'Request path contains unescaped characters'
);
}
interface FetchRetryOpt {
minTimeout?: number,
retries?: number,
factor?: number,
maxRetryAfter?: number,
retry?: number,
onRetry?: (err: Error) => void
}
function createFetchRetry($fetch: typeof fetch): typeof fetch {
const fetchRetry = async (url: string | URL, opts: RequestInit & { retry?: FetchRetryOpt } = {}) => {
const retryOpts = Object.assign(
{
// timeouts will be [10, 60, 360, 2160, 12960]
// (before randomization is added)
minTimeout: MIN_TIMEOUT,
retries: MAX_RETRIES,
factor: FACTOR,
maxRetryAfter: MAX_RETRY_AFTER,
},
opts.retry
);
try {
return await retry(async (bail) => {
try {
// this will be retried
const res = await $fetch(url, opts);
if ((res.status >= 500 && res.status < 600) || res.status === 429) {
// NOTE: doesn't support http-date format
const retryAfterHeader = res.headers.get('retry-after');
if (retryAfterHeader) {
const retryAfter = parseInt(retryAfterHeader, 10);
if (retryAfter) {
if (retryAfter > retryOpts.maxRetryAfter) {
return res;
} else {
await new Promise((r) => setTimeout(r, retryAfter * 1e3));
}
}
}
throw new ResponseError(res);
} else {
return res;
}
} catch (err: unknown) {
if (err instanceof Error) {
if (err.name === 'AbortError') {
return bail(err);
}
}
if (isClientError(err)) {
return bail(err);
}
throw err;
}
}, retryOpts);
} catch (err) {
if (err instanceof ResponseError) {
return err.res;
}
throw err;
}
}
for (const k of Object.keys($fetch)) {
const key = k as keyof typeof $fetch;
fetchRetry[key] = $fetch[key];
}
return fetchRetry as typeof fetch;
}
export class ResponseError extends Error {
readonly res: Response;
readonly code: number;
readonly statusCode: number;
readonly url: string;
constructor(res: Response) {
super(res.statusText);
if (Error.captureStackTrace) {
Error.captureStackTrace(this, ResponseError);
}
this.name = this.constructor.name;
this.res = res;
this.code = this.statusCode = res.status;
this.url = res.url;
}
}
export const defaultRequestInit: RequestInit = { export const defaultRequestInit: RequestInit = {
headers: { headers: {
@@ -7,4 +114,4 @@ export const defaultRequestInit: RequestInit = {
} }
} }
export const fetchWithRetry: typeof fetch = createFetchRetry(fetch); export const fetchWithRetry = createFetchRetry(fetch);

View File

@@ -19,14 +19,15 @@ interface TextLineStreamOptions {
* ``` * ```
*/ */
export class TextLineStream extends TransformStream<string, string> { export class TextLineStream extends TransformStream<string, string> {
private __buf = ''; // private __buf = '';
constructor(options?: TextLineStreamOptions) { constructor(options?: TextLineStreamOptions) {
const allowCR = options?.allowCR ?? false; const allowCR = options?.allowCR ?? false;
let __buf = '';
super({ super({
transform: (chunk, controller) => { transform(chunk, controller) {
chunk = this.__buf + chunk; chunk = __buf + chunk;
for (; ;) { for (; ;) {
const lfIndex = chunk.indexOf('\n'); const lfIndex = chunk.indexOf('\n');
@@ -57,14 +58,14 @@ export class TextLineStream extends TransformStream<string, string> {
break; break;
} }
this.__buf = chunk; __buf = chunk;
}, },
flush: (controller) => { flush(controller) {
if (this.__buf.length > 0) { if (__buf.length > 0) {
if (allowCR && this.__buf[this.__buf.length - 1] === '\r') { if (allowCR && __buf[__buf.length - 1] === '\r') {
controller.enqueue(this.__buf.slice(0, -1)); controller.enqueue(__buf.slice(0, -1));
} else { } else {
controller.enqueue(this.__buf); controller.enqueue(__buf);
}; };
} }
}, },

BIN
bun.lockb

Binary file not shown.

View File

@@ -16,11 +16,11 @@
"dependencies": { "dependencies": {
"@cliqz/adblocker": "^1.26.12", "@cliqz/adblocker": "^1.26.12",
"@sukka/listdir": "^0.2.0", "@sukka/listdir": "^0.2.0",
"@vercel/fetch-retry": "^5.1.3", "async-retry": "^1.3.3",
"async-sema": "^3.1.1", "async-sema": "^3.1.1",
"ci-info": "^4.0.0", "ci-info": "^4.0.0",
"cidr-tools-wasm": "^0.0.13", "cidr-tools-wasm": "^0.0.14",
"eslint": "^8.53.0", "eslint": "^8.54.0",
"gorhill-publicsuffixlist": "github:gorhill/publicsuffixlist.js", "gorhill-publicsuffixlist": "github:gorhill/publicsuffixlist.js",
"mnemonist": "^0.39.5", "mnemonist": "^0.39.5",
"path-scurry": "^1.10.1", "path-scurry": "^1.10.1",
@@ -28,11 +28,12 @@
"punycode": "^2.3.1", "punycode": "^2.3.1",
"table": "^6.8.1", "table": "^6.8.1",
"tar": "^6.2.0", "tar": "^6.2.0",
"tldts": "^6.0.19" "tldts": "^6.0.22"
}, },
"devDependencies": { "devDependencies": {
"@eslint-sukka/node": "4.1.9", "@eslint-sukka/node": "4.1.9",
"@eslint-sukka/ts": "4.1.9", "@eslint-sukka/ts": "4.1.9",
"@types/async-retry": "^1.4.8",
"@types/mocha": "10.0.2", "@types/mocha": "10.0.2",
"@types/tar": "^6.1.9", "@types/tar": "^6.1.9",
"bun-types": "^1.0.11", "bun-types": "^1.0.11",