将表示任意基数的字符串转换为数字

时间:2015-10-08 18:59:39

标签: javascript jquery html ajax html5

我需要将base36字符串解码为double。实际的双倍值为 0.3128540377812142 。现在,当我将它转换为基数36时:

(0.3128540377812142).toString(36);

结果是:

Chrome: 0.b9ginb6s73gd1bfel7npv0wwmi
Firefox: 0.b9ginb6s73e

现在我的问题是:

1)有没有办法为所有浏览器获得相同的基数36结果?

2)如何将它们解码回双倍值?

1 个答案:

答案 0 :(得分:4)

要从字符串(最多36位)转换为数字,您可以使用它。

String.prototype.toNumber = function(base) {
    var resultNumber = 0;
    var inMantissa = false;
    var mantissaDivisor;
    var currentCharCode;
    var digitValue;

    if (typeof base === "undefined" || base === "" || base === null) {
        base = 10;
    }
    base = parseInt(base);
    if (isNaN(base) || base > 36 || base < 2) {
        return NaN;
    }


    for(var i=0; i<this.length; i++) {
        currentCharCode = this.charCodeAt(i);
        if (currentCharCode === 46 && !inMantissa) {
            // we're at the decimal point
            inMantissa = true;
            mantissaDivisor = 1;
        } else {
            if (currentCharCode >= 48 && currentCharCode <= 57) {
                // 0-9
                digitValue = currentCharCode - 48;
            } else if (currentCharCode >= 65 && currentCharCode <= 90) {
                // A-Z
                digitValue = currentCharCode - 55;
            } else if (currentCharCode >= 97 && currentCharCode <= 122) {
                // a-z
                digitValue = currentCharCode - 87;
            } else {
                return NaN;
            }

            if (digitValue > base - 1) {
                return NaN;
            }
            if (inMantissa) {
                mantissaDivisor *= base;
                resultNumber += digitValue/mantissaDivisor;
            } else {
                resultNumber = (resultNumber * base) + digitValue;
            }
        }
    }
    return resultNumber;
}

这是一个小提琴:http://jsfiddle.net/ugshkp4d/25/