我想知道如何在javascript中给我一个数字(例如10000),然后给一个百分比(例如35.8%)
我怎么算出那是多少(例如3580)
Answers:
var result = (35.8 / 100) * 10000;
(感谢jball改变操作顺序。我没有考虑)。
var
,或whitspace,但是它不是很可读或很好的代码?:P
var result = pct / 100 * number;
您的百分比除以100(以得到0到1之间的百分比)乘以数字
35.8/100*10000
我使用了两个非常有用的JS函数:http : //blog.bassta.bg/2013/05/rangetopercent-and-percenttorange/
function rangeToPercent(number, min, max){
return ((number - min) / (max - min));
}
和
function percentToRange(percent, min, max) {
return((max - min) * percent + min);
}
如果要将%作为函数的一部分传递,则应使用以下替代方法:
<script>
function fpercentStr(quantity, percentString)
{
var percent = new Number(percentString.replace("%", ""));
return fpercent(quantity, percent);
}
function fpercent(quantity, percent)
{
return quantity * percent / 100;
}
document.write("test 1: " + fpercent(10000, 35.873))
document.write("test 2: " + fpercentStr(10000, "35.873%"))
</script>
为了完全避免浮点问题,需要将要计算其百分比的数量和百分比本身转换为整数。这是我解决的方法:
function calculatePercent(amount, percent) {
const amountDecimals = getNumberOfDecimals(amount);
const percentDecimals = getNumberOfDecimals(percent);
const amountAsInteger = Math.round(amount + `e${amountDecimals}`);
const percentAsInteger = Math.round(percent + `e${percentDecimals}`);
const precisionCorrection = `e-${amountDecimals + percentDecimals + 2}`; // add 2 to scale by an additional 100 since the percentage supplied is 100x the actual multiple (e.g. 35.8% is passed as 35.8, but as a proper multiple is 0.358)
return Number((amountAsInteger * percentAsInteger) + precisionCorrection);
}
function getNumberOfDecimals(number) {
const decimals = parseFloat(number).toString().split('.')[1];
if (decimals) {
return decimals.length;
}
return 0;
}
calculatePercent(20.05, 10); // 2.005
如您所见,我:
amount
和percent
amount
和转换percent
为整数指数表示法的使用受到Jack Moore博客文章的启发。我敢肯定我的语法会更短一些,但是我想在使用变量名和解释每个步骤时尽可能明确。
var number=10000; alert(number*0.358);