格式化字节数

将字节数转换为易读的字符串。

  • 使用一个单位数组字典,根据指数来访问单位。
  • 使用Number.prototype.toPrecision()将数字截断为一定数量的位数。
  • 通过构建字符串来返回格式化后的字符串,考虑到提供的选项以及是否为负数。
  • 省略第二个参数precision,将使用默认精度为3位数。
  • 省略第三个参数addSpace,默认情况下在数字和单位之间添加空格。
const prettyBytes = (num, precision = 3, addSpace = true) => {
  const UNITS = ['B', 'KB', 'MB', 'GB', 'TB', 'PB', 'EB', 'ZB', 'YB'];
  if (Math.abs(num) < 1) return num + (addSpace ? ' ' : '') + UNITS[0];
  const exponent = Math.min(
    Math.floor(Math.log10(num < 0 ? -num : num) / 3),
    UNITS.length - 1
  );
  const n = Number(
    ((num < 0 ? -num : num) / 1000 ** exponent).toPrecision(precision)
  );
  return (num < 0 ? '-' : '') + n + (addSpace ? ' ' : '') + UNITS[exponent];
};

prettyBytes(1000); // '1 KB'
prettyBytes(-27145424323.5821, 5); // '-27.145 GB'
prettyBytes(123456789, 3, false); // '123MB'