Release v1.4.12 with connection stall recovery and download freeze mitigation
Some checks are pending
Build and Release / build (push) Waiting to run

This commit is contained in:
Sucukdeluxe 2026-02-27 20:35:10 +01:00
parent 8b5c936177
commit 0f85cd4c8d
4 changed files with 314 additions and 57 deletions

4
package-lock.json generated
View File

@ -1,12 +1,12 @@
{ {
"name": "real-debrid-downloader", "name": "real-debrid-downloader",
"version": "1.4.11", "version": "1.4.12",
"lockfileVersion": 3, "lockfileVersion": 3,
"requires": true, "requires": true,
"packages": { "packages": {
"": { "": {
"name": "real-debrid-downloader", "name": "real-debrid-downloader",
"version": "1.4.11", "version": "1.4.12",
"license": "MIT", "license": "MIT",
"dependencies": { "dependencies": {
"adm-zip": "^0.5.16", "adm-zip": "^0.5.16",

View File

@ -1,6 +1,6 @@
{ {
"name": "real-debrid-downloader", "name": "real-debrid-downloader",
"version": "1.4.11", "version": "1.4.12",
"description": "Real-Debrid Downloader Desktop (Electron + React + TypeScript)", "description": "Real-Debrid Downloader Desktop (Electron + React + TypeScript)",
"main": "build/main/main/main.js", "main": "build/main/main/main.js",
"author": "Sucukdeluxe", "author": "Sucukdeluxe",

View File

@ -36,7 +36,9 @@ type ActiveTask = {
nonResumableCounted: boolean; nonResumableCounted: boolean;
}; };
const DEFAULT_DOWNLOAD_STALL_TIMEOUT_MS = 60000; const DEFAULT_DOWNLOAD_STALL_TIMEOUT_MS = 30000;
const DEFAULT_DOWNLOAD_CONNECT_TIMEOUT_MS = 25000;
function getDownloadStallTimeoutMs(): number { function getDownloadStallTimeoutMs(): number {
const fromEnv = Number(process.env.RD_STALL_TIMEOUT_MS ?? NaN); const fromEnv = Number(process.env.RD_STALL_TIMEOUT_MS ?? NaN);
@ -46,6 +48,14 @@ function getDownloadStallTimeoutMs(): number {
return DEFAULT_DOWNLOAD_STALL_TIMEOUT_MS; return DEFAULT_DOWNLOAD_STALL_TIMEOUT_MS;
} }
function getDownloadConnectTimeoutMs(): number {
const fromEnv = Number(process.env.RD_CONNECT_TIMEOUT_MS ?? NaN);
if (Number.isFinite(fromEnv) && fromEnv >= 2000 && fromEnv <= 180000) {
return Math.floor(fromEnv);
}
return DEFAULT_DOWNLOAD_CONNECT_TIMEOUT_MS;
}
type DownloadManagerOptions = { type DownloadManagerOptions = {
megaWebUnrestrict?: MegaWebUnrestrictor; megaWebUnrestrict?: MegaWebUnrestrictor;
}; };
@ -1996,7 +2006,18 @@ export class DownloadManager extends EventEmitter {
} }
let response: Response; let response: Response;
const connectTimeoutMs = getDownloadConnectTimeoutMs();
let connectTimer: NodeJS.Timeout | null = null;
try { try {
if (connectTimeoutMs > 0) {
connectTimer = setTimeout(() => {
if (active.abortController.signal.aborted) {
return;
}
active.abortReason = "stall";
active.abortController.abort("stall");
}, connectTimeoutMs);
}
response = await fetch(directUrl, { response = await fetch(directUrl, {
method: "GET", method: "GET",
headers, headers,
@ -2015,6 +2036,10 @@ export class DownloadManager extends EventEmitter {
continue; continue;
} }
throw error; throw error;
} finally {
if (connectTimer) {
clearTimeout(connectTimer);
}
} }
if (!response.ok) { if (!response.ok) {
@ -2138,6 +2163,29 @@ export class DownloadManager extends EventEmitter {
} }
const reader = body.getReader(); const reader = body.getReader();
const stallTimeoutMs = getDownloadStallTimeoutMs(); const stallTimeoutMs = getDownloadStallTimeoutMs();
let lastDataAt = nowMs();
let lastIdleEmitAt = 0;
const idlePulseMs = Math.max(1500, Math.min(3500, Math.floor(stallTimeoutMs / 4) || 2000));
const idleTimer = setInterval(() => {
if (active.abortController.signal.aborted) {
return;
}
const nowTick = nowMs();
if (nowTick - lastDataAt < idlePulseMs) {
return;
}
if (item.status === "paused") {
return;
}
item.status = "downloading";
item.speedBps = 0;
item.fullStatus = `Warte auf Daten (${providerLabel(item.provider)})`;
if (nowTick - lastIdleEmitAt >= idlePulseMs) {
item.updatedAt = nowTick;
this.emitState();
lastIdleEmitAt = nowTick;
}
}, idlePulseMs);
const readWithTimeout = async (): Promise<ReadableStreamReadResult<Uint8Array>> => { const readWithTimeout = async (): Promise<ReadableStreamReadResult<Uint8Array>> => {
if (stallTimeoutMs <= 0) { if (stallTimeoutMs <= 0) {
return reader.read(); return reader.read();
@ -2172,63 +2220,68 @@ export class DownloadManager extends EventEmitter {
}); });
}; };
while (true) { try {
const { done, value } = await readWithTimeout(); while (true) {
if (done) { const { done, value } = await readWithTimeout();
break; if (done) {
} break;
const chunk = value; }
if (active.abortController.signal.aborted) { const chunk = value;
throw new Error(`aborted:${active.abortReason}`); lastDataAt = nowMs();
} if (active.abortController.signal.aborted) {
while (this.session.paused && this.session.running && !active.abortController.signal.aborted) { throw new Error(`aborted:${active.abortReason}`);
item.status = "paused"; }
item.fullStatus = "Pausiert"; while (this.session.paused && this.session.running && !active.abortController.signal.aborted) {
this.emitState(); item.status = "paused";
await sleep(120); item.fullStatus = "Pausiert";
} this.emitState();
if (active.abortController.signal.aborted) { await sleep(120);
throw new Error(`aborted:${active.abortReason}`); }
} if (active.abortController.signal.aborted) {
if (this.reconnectActive() && active.resumable) { throw new Error(`aborted:${active.abortReason}`);
active.abortReason = "reconnect"; }
active.abortController.abort("reconnect"); if (this.reconnectActive() && active.resumable) {
throw new Error("aborted:reconnect"); active.abortReason = "reconnect";
} active.abortController.abort("reconnect");
throw new Error("aborted:reconnect");
}
const buffer = Buffer.from(chunk); const buffer = Buffer.from(chunk);
await this.applySpeedLimit(buffer.length, windowBytes, windowStarted); await this.applySpeedLimit(buffer.length, windowBytes, windowStarted);
if (active.abortController.signal.aborted) { if (active.abortController.signal.aborted) {
throw new Error(`aborted:${active.abortReason}`); throw new Error(`aborted:${active.abortReason}`);
} }
if (!stream.write(buffer)) { if (!stream.write(buffer)) {
await waitDrain(); await waitDrain();
} }
written += buffer.length; written += buffer.length;
windowBytes += buffer.length; windowBytes += buffer.length;
this.session.totalDownloadedBytes += buffer.length; this.session.totalDownloadedBytes += buffer.length;
this.recordSpeed(buffer.length); this.recordSpeed(buffer.length);
const elapsed = Math.max((nowMs() - windowStarted) / 1000, 0.1); const elapsed = Math.max((nowMs() - windowStarted) / 1000, 0.1);
const speed = windowBytes / elapsed; const speed = windowBytes / elapsed;
if (elapsed >= 1.2) { if (elapsed >= 1.2) {
windowStarted = nowMs(); windowStarted = nowMs();
windowBytes = 0; windowBytes = 0;
} }
item.status = "downloading"; item.status = "downloading";
item.speedBps = Math.max(0, Math.floor(speed)); item.speedBps = Math.max(0, Math.floor(speed));
item.downloadedBytes = written; item.downloadedBytes = written;
item.progressPercent = item.totalBytes ? Math.max(0, Math.min(100, Math.floor((written / item.totalBytes) * 100))) : 0; item.progressPercent = item.totalBytes ? Math.max(0, Math.min(100, Math.floor((written / item.totalBytes) * 100))) : 0;
item.fullStatus = `Download läuft (${providerLabel(item.provider)})`; item.fullStatus = `Download läuft (${providerLabel(item.provider)})`;
const nowTick = nowMs(); const nowTick = nowMs();
const progressChanged = item.progressPercent !== lastProgressPercent; const progressChanged = item.progressPercent !== lastProgressPercent;
if (progressChanged || nowTick - lastUiEmitAt >= uiUpdateIntervalMs) { if (progressChanged || nowTick - lastUiEmitAt >= uiUpdateIntervalMs) {
item.updatedAt = nowTick; item.updatedAt = nowTick;
this.emitState(); this.emitState();
lastUiEmitAt = nowTick; lastUiEmitAt = nowTick;
lastProgressPercent = item.progressPercent; lastProgressPercent = item.progressPercent;
}
} }
} finally {
clearInterval(idleTimer);
} }
} finally { } finally {
await new Promise<void>((resolve, reject) => { await new Promise<void>((resolve, reject) => {

View File

@ -418,6 +418,210 @@ describe("download manager", () => {
} }
}, 35000); }, 35000);
it("recovers when direct download connection stalls before first byte", async () => {
const root = fs.mkdtempSync(path.join(os.tmpdir(), "rd-dm-"));
tempDirs.push(root);
const binary = Buffer.alloc(220 * 1024, 23);
const previousStallTimeout = process.env.RD_STALL_TIMEOUT_MS;
const previousConnectTimeout = process.env.RD_CONNECT_TIMEOUT_MS;
process.env.RD_STALL_TIMEOUT_MS = "2500";
process.env.RD_CONNECT_TIMEOUT_MS = "1800";
let directCalls = 0;
const server = http.createServer((req, res) => {
if ((req.url || "") !== "/connect-stall") {
res.statusCode = 404;
res.end("not-found");
return;
}
directCalls += 1;
if (directCalls === 1) {
setTimeout(() => {
if (res.destroyed || res.writableEnded) {
return;
}
res.statusCode = 200;
res.setHeader("Accept-Ranges", "bytes");
res.setHeader("Content-Length", String(binary.length));
res.end(binary);
}, 5200);
return;
}
res.statusCode = 200;
res.setHeader("Accept-Ranges", "bytes");
res.setHeader("Content-Length", String(binary.length));
res.end(binary);
});
server.listen(0, "127.0.0.1");
await once(server, "listening");
const address = server.address();
if (!address || typeof address === "string") {
throw new Error("server address unavailable");
}
const directUrl = `http://127.0.0.1:${address.port}/connect-stall`;
globalThis.fetch = async (input: RequestInfo | URL, init?: RequestInit): Promise<Response> => {
const url = typeof input === "string" ? input : input instanceof URL ? input.toString() : input.url;
if (url.includes("/unrestrict/link")) {
return new Response(
JSON.stringify({
download: directUrl,
filename: "connect-stall.bin",
filesize: binary.length
}),
{
status: 200,
headers: { "Content-Type": "application/json" }
}
);
}
return originalFetch(input, init);
};
try {
const manager = new DownloadManager(
{
...defaultSettings(),
token: "rd-token",
outputDir: path.join(root, "downloads"),
extractDir: path.join(root, "extract"),
autoExtract: false,
autoReconnect: false
},
emptySession(),
createStoragePaths(path.join(root, "state"))
);
manager.addPackages([{ name: "connect-stall", links: ["https://dummy/connect-stall"] }]);
manager.start();
await waitFor(() => !manager.getSnapshot().session.running, 30000);
const item = Object.values(manager.getSnapshot().session.items)[0];
expect(item?.status).toBe("completed");
expect(directCalls).toBeGreaterThan(1);
expect(fs.existsSync(item.targetPath)).toBe(true);
expect(fs.statSync(item.targetPath).size).toBe(binary.length);
} finally {
if (previousStallTimeout === undefined) {
delete process.env.RD_STALL_TIMEOUT_MS;
} else {
process.env.RD_STALL_TIMEOUT_MS = previousStallTimeout;
}
if (previousConnectTimeout === undefined) {
delete process.env.RD_CONNECT_TIMEOUT_MS;
} else {
process.env.RD_CONNECT_TIMEOUT_MS = previousConnectTimeout;
}
server.close();
await once(server, "close");
}
}, 35000);
it("recovers when direct download stalls before first response bytes", async () => {
const root = fs.mkdtempSync(path.join(os.tmpdir(), "rd-dm-"));
tempDirs.push(root);
const binary = Buffer.alloc(180 * 1024, 12);
const previousStallTimeout = process.env.RD_STALL_TIMEOUT_MS;
const previousConnectTimeout = process.env.RD_CONNECT_TIMEOUT_MS;
process.env.RD_STALL_TIMEOUT_MS = "2500";
process.env.RD_CONNECT_TIMEOUT_MS = "2000";
let directCalls = 0;
const server = http.createServer((req, res) => {
if ((req.url || "") !== "/stall-connect") {
res.statusCode = 404;
res.end("not-found");
return;
}
directCalls += 1;
if (directCalls === 1) {
setTimeout(() => {
if (res.writableEnded || res.destroyed || res.headersSent) {
return;
}
res.statusCode = 200;
res.setHeader("Accept-Ranges", "bytes");
res.setHeader("Content-Length", String(binary.length));
res.end(binary);
}, 5000);
return;
}
res.statusCode = 200;
res.setHeader("Accept-Ranges", "bytes");
res.setHeader("Content-Length", String(binary.length));
res.end(binary);
});
server.listen(0, "127.0.0.1");
await once(server, "listening");
const address = server.address();
if (!address || typeof address === "string") {
throw new Error("server address unavailable");
}
const directUrl = `http://127.0.0.1:${address.port}/stall-connect`;
globalThis.fetch = async (input: RequestInfo | URL, init?: RequestInit): Promise<Response> => {
const url = typeof input === "string" ? input : input instanceof URL ? input.toString() : input.url;
if (url.includes("/unrestrict/link")) {
return new Response(
JSON.stringify({
download: directUrl,
filename: "stall-connect.bin",
filesize: binary.length
}),
{
status: 200,
headers: { "Content-Type": "application/json" }
}
);
}
return originalFetch(input, init);
};
try {
const manager = new DownloadManager(
{
...defaultSettings(),
token: "rd-token",
outputDir: path.join(root, "downloads"),
extractDir: path.join(root, "extract"),
autoExtract: false,
autoReconnect: false
},
emptySession(),
createStoragePaths(path.join(root, "state"))
);
manager.addPackages([{ name: "stall-connect", links: ["https://dummy/stall-connect"] }]);
manager.start();
await waitFor(() => !manager.getSnapshot().session.running, 30000);
const item = Object.values(manager.getSnapshot().session.items)[0];
expect(item?.status).toBe("completed");
expect(directCalls).toBeGreaterThan(1);
} finally {
if (previousStallTimeout === undefined) {
delete process.env.RD_STALL_TIMEOUT_MS;
} else {
process.env.RD_STALL_TIMEOUT_MS = previousStallTimeout;
}
if (previousConnectTimeout === undefined) {
delete process.env.RD_CONNECT_TIMEOUT_MS;
} else {
process.env.RD_CONNECT_TIMEOUT_MS = previousConnectTimeout;
}
server.close();
await once(server, "close");
}
}, 35000);
it("uses content-disposition filename when provider filename is opaque", async () => { it("uses content-disposition filename when provider filename is opaque", async () => {
const root = fs.mkdtempSync(path.join(os.tmpdir(), "rd-dm-")); const root = fs.mkdtempSync(path.join(os.tmpdir(), "rd-dm-"));
tempDirs.push(root); tempDirs.push(root);