59 lines
1.5 KiB
TypeScript
Raw Normal View History

/**
* Utils file containing file treatment utils
*/
2023-04-28 18:20:31 +02:00
import { Readable, Writable, WritableOptions } from 'node:stream';
2023-04-28 18:20:31 +02:00
const kbytesToBytes = (kbytes: number) => kbytes * 1000;
const bytesToKbytes = (bytes: number) => Math.round((bytes / 1000) * 100) / 100;
const bytesToHumanReadable = (bytes: number) => {
2022-09-23 14:44:20 +02:00
const sizes = ['Bytes', 'KB', 'MB', 'GB', 'TB', 'PB'];
if (bytes === 0) return '0 Bytes';
2023-04-28 18:20:31 +02:00
const i = parseInt(`${Math.floor(Math.log(bytes) / Math.log(1000))}`, 10);
return `${Math.round(bytes / 1000 ** i)} ${sizes[i]}`;
2022-09-23 14:44:20 +02:00
};
2023-04-28 18:20:31 +02:00
const streamToBuffer = (stream: Readable) =>
new Promise((resolve, reject) => {
2023-04-28 18:20:31 +02:00
const chunks: Uint8Array[] = [];
2022-08-08 23:33:39 +02:00
stream.on('data', (chunk) => {
chunks.push(chunk);
});
stream.on('end', () => {
resolve(Buffer.concat(chunks));
});
stream.on('error', reject);
});
2023-04-28 18:20:31 +02:00
const getStreamSize = (stream: Readable) =>
new Promise((resolve, reject) => {
let size = 0;
2022-08-08 23:33:39 +02:00
stream.on('data', (chunk) => {
size += Buffer.byteLength(chunk);
});
stream.on('close', () => resolve(size));
stream.on('error', reject);
stream.resume();
});
/**
* Create a writeable Node.js stream that discards received data.
* Useful for testing, draining a stream of data, etc.
*/
2023-04-28 18:20:31 +02:00
function writableDiscardStream(options: WritableOptions) {
return new Writable({
...options,
write(chunk, encding, callback) {
setImmediate(callback);
},
});
}
2023-04-27 23:18:48 +02:00
export {
streamToBuffer,
2022-09-23 14:44:20 +02:00
bytesToHumanReadable,
bytesToKbytes,
2022-09-13 10:21:30 +02:00
kbytesToBytes,
getStreamSize,
2022-08-04 13:05:25 +02:00
writableDiscardStream,
};