큰 금액의 부분 할당을 처리할 때 반올림 오류와 남은 재분배가 중요한 문제가 됩니다. 이러한 문제는 재무 계산에만 국한되지 않습니다. 리소스 분배, 작업 일정 조정 또는 예산 할당과 같은 다른 영역에서 발생할 수 있습니다. 이 기사에서는 반올림 및 남은 재배포를 효과적으로 처리하면서 정확한 할당을 달성하기 위해 JavaScript의 big.js 라이브러리를 사용하여 검증되고 테스트된 방법을 보여줍니다.
각각의 비율을 기준으로 여러 주식에 매우 많은 금액을 배분해야 하는 시나리오를 상상해 보세요. 예:
요구사항은 다음과 같습니다.
big.js 라이브러리를 사용하면 임의 정밀도 연산으로 이러한 문제를 처리할 수 있습니다. 완전한 솔루션은 다음과 같습니다.
const Big = require("big.js"); function allocateMoney(amount, allocations) { // Step 1: Convert percentages to rational numbers let totalPercent = new Big(0); for (let key in allocations) { totalPercent = totalPercent.plus(new Big(allocations[key])); } const allocationRatios = {}; for (let key in allocations) { allocationRatios[key] = new Big(allocations[key]).div(totalPercent); }
총액을 센트로 변환하고 초기 반올림을 수행합니다.
const totalCents = new Big(amount).times(100).toFixed(0); // Convert amount to cents const allocatedCents = {}; for (let key in allocationRatios) { allocatedCents[key] = allocationRatios[key].times(totalCents).toFixed(0, 0); // Convert to int (round down) }
남은 센트를 계산하고 소수점 이하를 기준으로 공정하게 분배합니다.
let distributedTotal = new Big(0); for (let key in allocatedCents) { distributedTotal = distributedTotal.plus(new Big(allocatedCents[key])); } const remainingCents = new Big(totalCents).minus(distributedTotal).toFixed(0); // Sort allocations by fractional remainder descending for redistribution const fractionalRemainders = {}; for (let key in allocationRatios) { const allocated = allocationRatios[key].times(totalCents); const fractionalPart = allocated.minus(allocated.toFixed(0)); fractionalRemainders[key] = fractionalPart; } const sortedKeys = Object.keys(fractionalRemainders).sort((a, b) => { if (fractionalRemainders[b].gt(fractionalRemainders[a])) { return 1; } if (fractionalRemainders[b].lt(fractionalRemainders[a])) { return -1; } return 0; }); for (let i = 0; i < remainingCents; i++) { const key = sortedKeys[i % sortedKeys.length]; allocatedCents[key] = new Big(allocatedCents[key]).plus(1).toFixed(0); }
마지막으로 할당을 다시 달러로 변환합니다.
const allocatedDollars = {}; for (let key in allocatedCents) { allocatedDollars[key] = new Big(allocatedCents[key]).div(100).toFixed(2); // Convert cents to dollars with 2 decimals } return allocatedDollars; }
alignMoney 함수를 사용하여 주식에 자금을 할당하는 방법은 다음과 같습니다.
const totalAmount = "1234567890123456.78"; // A very large total amount const stockAllocations = { "Stock A": "50.5", // 50.5% "Stock B": "30.3", // 30.3% "Stock C": "19.2", // 19.2% }; const result = allocateMoney(totalAmount, stockAllocations); console.log("Allocation:"); console.log(result); // Calculate total allocated let totalAllocated = new Big(0); for (let key in result) { totalAllocated = totalAllocated.plus(new Big(result[key])); } console.log(`Total Allocated: $${totalAllocated.toFixed(2)}`);
주어진 입력에 대한 출력은 다음과 같습니다.
Allocation: { 'Stock A': '623456784512345.67', 'Stock B': '374074070707407.41', 'Stock C': '237037034903703.70' } Total Allocated: 34567890123456.78
big.js를 사용한 정확한 연산:
big.js 라이브러리는 부동 소수점 오류를 방지하여 정확성을 보장합니다.
남은 음식을 공정하게 처리:
분수 나머지를 사용하여 남은 단위를 결정론적이고 공정하게 분배하세요.
총액 조정:
모든 조정 후에는 총 할당량이 원래 금액과 일치하는지 확인하세요.
큰 값으로 확장 가능:
이 접근 방식은 매우 큰 금액에 대해 원활하게 작동하므로 재정 및 자원 할당 문제에 적합합니다.
이 방법을 따르면 높은 수치 정확도가 요구되는 모든 시나리오에서 정확하고 공정한 할당을 달성할 수 있습니다.
위 내용은 Big.js를 사용한 정확한 할당: 반올림 및 남은 재분배 처리의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!