0

我需要在 Javascript 中使用分母为 1 的有理数。所以,我有一些输入值,比如 1024,我需要将其存储为 1024/1。当然1024 / 1只给我 1024。那么我怎样才能获得原始的理性版本呢?

4

1 回答 1

0

你想用理性做什么?如果只是为了简单的算术,你可以自己写。

下面是一个示例,您将对其他运算符执行类似的操作。

希望这可以帮助

function Rational(n, d) {
    this.n = n;
    this.d = d;
}
Rational.prototype.multiply = function(other) {
    return this.reduce(this.n * other.n, this.d * other.d)
}
Rational.prototype.reduce = function(n, d) {
    //http://stackoverflow.com/questions/4652468/is-there-a-javascript-function-that-reduces-a-fraction
    var gcd = function gcd(a,b){
        return b ? gcd(b, a%b) : a;
    };
    gcd = gcd(n,d);
    return new Rational(n/gcd, d/gcd);
}

var r1 = new Rational(1, 2);
var r2 = new Rational(24, 1);
var result = r1.multiply(r2);
console.log(result); // Rational(12, 1);
console.log(result.n + '/' + result.d); // 12/1
于 2015-11-20T21:01:15.563 回答