Created
May 14, 2019 19:30
-
-
Save zapthedingbat/38ebfbedd98396624e5b5f2ff462611d to your computer and use it in GitHub Desktop.
converting between numbers and bytes in javascript
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function bitLength(number) { | |
return Math.floor(Math.log2(number)) + 1; | |
} | |
function byteLength(number) { | |
return Math.ceil(bitLength(number) / 8); | |
} | |
function toBytes(number) { | |
if (!Number.isSafeInteger(number)) { | |
throw new Error("Number is out of range"); | |
} | |
const size = number === 0 ? 0 : byteLength(number); | |
const bytes = new Uint8ClampedArray(size); | |
let x = number; | |
for (let i = (size - 1); i >= 0; i--) { | |
const rightByte = x & 0xff; | |
bytes[i] = rightByte; | |
x = Math.floor(x / 0x100); | |
} | |
return bytes.buffer; | |
} | |
function fromBytes(buffer) { | |
const bytes = new Uint8ClampedArray(buffer); | |
const size = bytes.byteLength; | |
let x = 0; | |
for (let i = 0; i < size; i++) { | |
const byte = bytes[i]; | |
x *= 0x100; | |
x += byte; | |
} | |
return x; | |
} | |
[0, 1, 2, 3, 0xf, 0xff, 0x100, Number.MAX_SAFE_INTEGER].forEach(n => { | |
const tb = toBytes(n); | |
const fb = fromBytes(tb); | |
console.log(n, tb, fb); | |
}) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
thank you