我正在使用ESNext的bigint
功能。进行除法时,bigint
会四舍五入为0。
带数字:
> 3000 / 1578
1.9011406844106464
使用bigint:
3000n / 1578n
1n
我想编写一个可以进行除法但使用银行家四舍五入(四舍五入到四舍五入)的函数,而不是四舍五入。
示例
function divide(a, b) {
return a/b;
}
我只是为如何编写divide
函数而感到困惑,并使用余数取整。这是我尝试过的:
function divide(a, b) {
let result = a/b;
// if modulo is over half the divisor
if ((a % b) * 2n > b) {
// Add 1 if result is odd
if (result % 2n === 1n) result++;
} else {
// Remove 1 if result is even
if (result % 2n !== 1n) result--;
}
return result;
}
这给了我divide(3000n, 1578n)
正确的结果,但是我注意到这给我带来了divide(7n, 2n)
不正确的结果,我希望将其舍入到4n
。
答案 0 :(得分:1)
庄家的四舍五入仅影响除数恰好是除数的一半的除法。其他所有情况都可以正常舍入。
我认为您的函数应进行如下修改:
function divide(a, b) {
// Make A and B positive
const aAbs = a > 0 ? a : -a;
const bAbs = b > 0 ? b : -b;
let result = aAbs/bAbs;
const rem = aAbs % bAbs;
// if remainder > half divisor, should have rounded up instead of down, so add 1
if (rem * 2n > bAbs) {
result ++;
} else if (rem * 2n === bAbs) {
// Add 1 if result is odd to get an even return value
if (result % 2n === 1n) result++;
}
if (a > 0 !== b > 0) {
// Either a XOR b is negative, so the result has to be
// negative as well.
return -result;
} else {
return result;
}
}
console.log(divide(3000n, 1578n));
console.log(divide(7n, 2n));
console.log(divide(-7n, 2n));