Created
March 10, 2016 21:18
-
-
Save bsara/519df5f91833d01c20ec to your computer and use it in GitHub Desktop.
A simple function that returns the two's complement binary representation of a given number
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
/** | |
* @param {Number} value | |
* @param {Number} [bitCount = 0] | |
* | |
* @returns {String} binary representation of the two's complement of `value`. | |
*/ | |
function twosComplement(value, bitCount) { | |
let binaryStr; | |
if (value >= 0) { | |
let twosComp = value.toString(2); | |
binaryStr = padAndChop(twosComp, '0', (bitCount || twosComp.length)); | |
} else { | |
binaryStr = (Math.pow(2, bitCount) + value).toString(2); | |
if (Number(binaryStr) < 0) { | |
return undefined | |
} | |
} | |
return `0b${binaryStr}`; | |
} | |
/** | |
* @param {String} str | |
* @param {String} padChar | |
* @param {Number} length | |
*/ | |
function padAndChop(str, padChar, length) { | |
return (Array(length).fill(padChar).join('') + str).slice(length * -1); | |
} | |
// Tests | |
//---------------------------------- | |
console.log(`0 = ${twosComplement(0, 8)}`); | |
console.log(`1 = ${twosComplement(1, 8)}`); | |
console.log(`2 = ${twosComplement(2, 8)}`); | |
console.log(`13 = ${twosComplement(13, 8)}`); | |
console.log(''); | |
console.log(`-1 = ${twosComplement(-1, 8)}`); | |
console.log(`-2 = ${twosComplement(-2, 8)}`); | |
console.log(`-3 = ${twosComplement(-3, 8)}`); | |
console.log(`-4 = ${twosComplement(-4, 8)}`); | |
console.log(`-5 = ${twosComplement(-5, 8)}`); | |
console.log(`-6 = ${twosComplement(-6, 8)}`); | |
console.log(`-7 = ${twosComplement(-7, 8)}`); | |
console.log(''); | |
console.log(`1.5 = ${twosComplement(1.5, 8)}`); | |
console.log(`1.25 = ${twosComplement(1.25, 8)}`); | |
console.log(`5.5 = ${twosComplement(5.5, 8)}`); | |
console.log(`5.75 = ${twosComplement(5.75, 8)}`); | |
@saurav-valardigital that's exactly what the code does: https://jsbin.com/misupikili/edit?js,console
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
i want the binary signed 2s compliment of decimal. like this
-200 ==> 1111111100111000
5422 ==> 0001010100101110
can you please do this