数字格式化应该很常用,保留几位小数,四舍五入,千分位分割
奈何项目上原有格式化方法,功能比较单一,只能格式化成如 12,456,451.00这样的数字,整数部分千分位分割,小数部分直接舍弃,用两个0表示
无奈自己写了一个
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54
|
function numFormat (nStr, decimal, precision, round, thousand, formatDecimal) { if (typeof decimal === 'boolean') { formatDecimal = typeof round === 'boolean' && round; thousand = typeof precision === 'boolean' && precision; round = decimal; } else if (typeof precision === 'boolean') { formatDecimal = typeof thousand === 'boolean' && thousand; thousand = typeof round === 'boolean' && round; round = precision; }
typeof decimal === 'number' || (decimal = 2); typeof precision === 'number' || (precision = 0); precision = precision < decimal ? precision : decimal; round = typeof round === 'boolean' && round; thousand = typeof thousand === 'boolean' && thousand; formatDecimal = typeof formatDecimal === 'boolean' && formatDecimal;
nStr || (nStr = 0); nStr = (nStr + '').replace(/[^\d\.]/g, ''); if (round) { nStr = Number(nStr).toFixed(precision); } else { nStr += ''; if (precision === 0) { nStr = nStr.replace(/\..*/, ''); } else if (nStr.indexOf('.') >= 0) { for (var index = 0; index < decimal; index++) { nStr += '0'; } nStr = nStr.replace(new RegExp('(\\.\\d{' + precision + '}).*'), '$1'); } }
nStr = Number(nStr).toFixed(decimal); var nArr = nStr.split('.'); if (thousand && nArr[0]) { nArr[0] = nArr[0].replace(/(\d{1,3})(?=(?:\d{3})+$)/g, '$1,'); } if (thousand && formatDecimal && nArr[1]) { nArr[1] = nArr[1].replace(/(\d{3})(?=\d{1,3})/g, '$1,'); } return nArr.join('.'); }
|