javascriptで、数値(たとえば、10000)が与えられ、次にパーセンテージ(たとえば、35.8%)が与えられた場合、どうすればよいのでしょうか。
それがいくらであるかをどのように計算しますか(例:3580)
回答:
var result = (35.8 / 100) * 10000;
(この操作の順序の変更についてjballに感謝します。私はそれを考慮しませんでした)。
var
、、、またはホイットスペースは必要ないと言うことができますが、それはあまり読みにくいか、優れたコードではないでしょうか?:P
var result = pct / 100 * number;
私は2つの非常に便利な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
を整数に変換します指数表記の使用法は、JackMooreのブログ投稿に触発されました。構文はもっと短くなる可能性があると思いますが、変数名の使用法と各ステップの説明をできるだけ明確にしたいと思いました。
var number = 10000;
var result = .358 * number;
var number=10000; alert(number*0.358);