Javascript函数格式化为货币

Ant*_*dio 0 javascript

我有一个脚本,我传给它一个字符串,它将返回格式为美元的字符串.因此,如果我发送它"10000"它将返回"$ 10,000.00"现在的问题是,当我发送它"1000000"(100万美元)时,它返回"$ 1,000.00",因为它只设置为基于一组零进行解析.这是我的脚本,如何调整它以占两组零(100万美元)?

String.prototype.formatMoney = function(places, symbol, thousand, decimal) {
if((this).match(/^\$/) && (this).indexOf(',') != -1 && (this).indexOf('.') != -1) {
    return this;
}
    places = !isNaN(places = Math.abs(places)) ? places : 2;
    symbol = symbol !== undefined ? symbol : "$";
    thousand = thousand || ",";
    decimal = decimal || ".";
var number = Number(((this).replace('$','')).replace(',','')), 
    negative = number < 0 ? "-" : "",
    i = parseInt(number = Math.abs(+number || 0).toFixed(places), 10) + "",
    j = (j = i.length) > 3 ? j % 3 : 0;
return negative + symbol + (j ? i.substr(0, j) + thousand : "") + i.substr(j).replace(/(\d{3})(?=\d)/g, "$1" + thousand) + (places ? decimal + Math.abs(number - i).toFixed(places).slice(2) : ""); };
Run Code Online (Sandbox Code Playgroud)

提前感谢任何有用的信息!

Dom*_*nic 6

function formatMoney(number) {
  return number.toLocaleString('en-US', { style: 'currency', currency: 'USD' });
}

console.log(formatMoney(10000));   // $10,000.00
console.log(formatMoney(1000000)); // $1,000,000.00
Run Code Online (Sandbox Code Playgroud)