将实数拆分为2个加数

时间:2017-07-21 20:56:57

标签: javascript python

作为我对this question的回答的扩展,我试图以这样一种方式分割一个实数,即两个数字中的每一个在最后一位数字中 atmost 1之间的差异(受浮点算术表示的限制。)

例如:

7     => 4, 3
7.2   => 3.6, 3.6
7.3   => 3.7, 3.6 (or 3.5999999999999996) -- I understand this is a corner case and it is alright
7.25  => 3.63, 3.62
7.225 => 3.613, 3.612

为了澄清,结果加数必须包含与原始数字相同的位数。

这是我到目前为止所提出的。

var x = 7.3;

if(x != Math.round(x)) {
    var p1 = Math.ceil((x  / 2) * 10) / 10;
} else {
    var p1 = Math.ceil(x  / 2);
}
var p2 = x - p1;

console.log(p1, p2);

这适用于整数和数字,点数 之后的一个小数。我相信一般解决方案将涉及搞清楚该点后出现多少位数。

我不确定如何做到这一点,但我相信一个解决方案将涉及转换为字符串,拆分'.',找到数字计数,然后乘以/除以适当的10的幂。基本上扩展了我编写的代码,因此适用于任意数字。

Javascript解决方案首选,但是python解决方案也可以使用。任何帮助,将不胜感激。谢谢!

2 个答案:

答案 0 :(得分:1)

快速提升,是否符合您的需求?



function GenerateAddends(n){
    if(n == Math.round(n)){
        return [Math.round(n/2),n-Math.round(n/2)];
    }else{
        var len = n.toString().split(".")[1].length
        return [
            Math.round(n/2 * Math.pow(10,len)) / Math.pow(10,len),
            n - Math.round(n/2 * Math.pow(10,len)) / Math.pow(10,len)
        ]
    }
}

console.log(GenerateAddends(7))
console.log(GenerateAddends(7.2))
console.log(GenerateAddends(7.3))
console.log(GenerateAddends(7.25))
console.log(GenerateAddends(7.225))




或者使用ECMAScript 2016:



function GenerateAddends(n){
    if(n == Math.round(n)){
        return [Math.round(n/2),n-Math.round(n/2)];
    }else{
        var len = n.toString().split(".")[1].length
        return [
            Math.round(n/2 * 10**len) / 10**len,
            n - Math.round(n/2 * 10**len) / 10**len
        ]
    }
}

console.log(GenerateAddends(7))
console.log(GenerateAddends(7.2))
console.log(GenerateAddends(7.3))
console.log(GenerateAddends(7.25))
console.log(GenerateAddends(7.225))




您会注意到我与转换为字符串并获取小数位数的想法相同。

答案 1 :(得分:1)

这是一个python示例:

import math

def split_num(num):
    i = 0
    while (num != round(num, i)):  ## NOTE: guaranteed to terminate
        i = i + 1
    p1 = math.ceil( ( 10**i * num ) / 2) / 10**i  ## using 10**i rounds to the appropriate decimal place
    return (p1, num - p1)

## test output
if __name__ == "__main__":
    print(split_num(10))
    print(split_num(10.1))
    print(split_num(10.12))
    print(split_num(10.123))
    print(split_num(10.1234))
    print(split_num(7.3))

>>> python split_num.py
(5.0, 5.0)
(5.1, 5.0)
(5.06, 5.06)
(5.062, 5.060999999999999)
(5.0617, 5.0617)
(3.7, 3.5999999999999996)