세금 계산의 정의되지 않은 반복
이 반복 세금 계산 함수에서:
function taxes(tax, taxWage) { var minWage = firstTier; //defined as a global variable if (taxWage > minWage) { //calculates tax recursively calling two other functions difference() and taxStep() tax = tax + difference(taxWage) * taxStep(taxWage); var newSalary = taxWage - difference(taxWage); taxes(tax, newSalary); } else { returnTax = tax + taxWage * taxStep(taxWage); return returnTax; } }
반복이 종료되지 않습니다. . 특히 문제는 재귀 호출을 호출하는 함수 부분에 있습니다.
if (taxWage > minWage) { // calculates tax recursively calling two other functions difference() and taxStep() tax = tax + difference(taxWage) * taxStep(taxWage); var newSalary = taxWage - difference(taxWage); taxes(tax, newSalary); }
여기서 함수는 값을 반환하지 않거나 returnTax 변수를 설정하지 않습니다. 함수가 명시적으로 반환하지 않으면 기본적으로 정의되지 않은 반환이 수행됩니다. 결과적으로 재귀가 무한정 계속되어 정의되지 않은 결과가 발생합니다.
이 문제를 해결하려면 코드의 이 부분을 다음과 같이 수정해야 합니다.
if (taxWage > minWage) { // calculates tax recursively calling two other functions difference() and taxStep() tax = tax + difference(taxWage) * taxStep(taxWage); var newSalary = taxWage - difference(taxWage); return taxes(tax, newSalary); }
이 변경을 통해 함수가 반환되도록 보장합니다. 재귀 호출의 결과, 재귀 체인 위로 값을 적절하게 전파합니다.
위 내용은 이 재귀 세금 계산 기능으로 인해 정의되지 않은 재귀가 발생하는 이유는 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!