<!DOCTYPE html> <html lang="en" dir="ltr"> <head> <meta charset="utf-8"> <title>javascript学习</title> <style> .output { font-weight: bold; } #payment { text-decoration: underline; } #graph { border: solid black 1px; } th,td { vertical-align: top; } </style> </head> <body> <table> <tr> <th>Enter Loan Data:</th> <td></td> <th>Loan Balance,Cumulative Equity,and Interest Payments</th> </tr> <tr> <td>Amount of the loan ($):</td> <td> <input id = "amount" onchange="calculate();"> </td> <td rowspan=8> <canvas id="graph" width="400" height="250"> </canvas> </td> </tr> <tr> <td> Annual interest (%): </td> <td> <input id="apr" onchange="calculate();"> </td> </tr> <tr> <td> Repayment period (years): </td> <td> <input id="years" onchange="calculate();"> </td> </tr> <tr> <td> Zipcode (to find lenders): </td> <td> <input id="zipcode" onchange="calculate();"> </td> </tr> <tr> <td> Approximate Payments: </td> <td> <button onclick="calculate();"> Calculate </button> </td> </tr> <tr> <td> Monthly payment: </td> <td> $ <span class="output" id="payment"> </span> </td> </tr> <tr> <td> Total payment: </td> <td> $ <span class="output" id="total"> </span> </td> </tr> <tr> <td> Total interest: </td> <td> $ <span class="output" id="totalinterest"> </span> </td> </tr> <tr> <th>Sponsors:</th> <td colspan=2> Apply for your loan with one of these fine lenders: <p id="lenders"> </p> </td> </tr> </table> <script> 'use strict'; function calculate () { var amount = document.getElementById('amount'); var apr = document.getElementById('apr'); var years = document.getElementById('years'); var zipcode = document.getElementById('zipcode'); var payment = document.getElementById('payment'); var total = document.getElementById('total'); var totalinterest = document.getElementById('totalinterest'); // 将百分比格式转化为小数格式,并从年利率转化为月利率 将年度赔付转化为月度赔付 var principal = parseFloat(amount.value); var interest = parseFloat(apr.value) / 100 / 12; var payments = parseFloat(years.value) * 12; // 计算月度赔付的数据 var x = Math.pow(1 + interest, payments); var monthly = (principal * x * interest) / (x - 1); // 如果没超过js可以表示的数字范围,并且用户输入正确 if (isFinite(monthly)) { payment.innerHTML = monthly.toFixed(2); total.innerHTML = (monthly * payments).toFixed(2); totalinterest.innerHTML = ((monthly * payments) - principal).toFixed(2); // 将用户的输入数据保留,下次访问也能取道数据 save(amount.value, apr.value, years.value, zipcode.value); // 找到并展示本地放贷人,但忽略网络错误 try { getLenders(amount.value, apr.value, years.value, zipcode.value); } catch (e) { } chart (principal, interest, monthly, payments); } else { payment.innerHTML = ''; total.innerHTML = ''; totalinterest.innerHTML = ''; chart(); } } function save(amount, apr, years, zipcode) { if (window.localStorage) { localStorage.loan_amount = amount; localStorage.loan_apr = apr; localStorage.loan_years = years; localStorage.loan_zipcode = amount; } } // 文档首次加载时,将会尝试还原输入字段 window.onload = function () { if (window.localStorage && localStorage.loan_amount) { document.getElementById('amount').value = localStorage.loan_amount; document.getElementById('apr').value = localStorage.loan_apr; document.getElementById('years').value = localStorage.loan_years; document.getElementById('zipcode').value = localStorage.loan_zipcode; } }; // 将用户输入的内容发送给服务器脚本上 function getLenders(amount, apr, years, zipcode) { if (!window.XMLHttpRequest) return; var ad = document.getElementById('lenders'); if (!ad) return; // 用户输入的数据进行url编码,并作为查询参数附加在url中 var url = 'getLenders.php' + '&?amt=' + encodeURIComponent(amount) + '&?apr=' + encodeURIComponent(apr) + '&?yrs=' + encodeURIComponent(years) + '&zip=' + encodeURIComponent(zipcode); // 通过xml对象提取返回数据 var req = new XMLHttpRequest(); req.open('GET', url); req.send(null); // 在返回数据之前,注册一个事件处理函数,这个处理函数在服务器响应返回客户端的时候调用 req.onreadystatechange = function () { if (req.readyState === 4 && req.status === 200) { var response = req.responseText; var lenders = JSON.parse(response); for (var i = 0; i < lenders.length; i++) { list += "<li><a href='" + lenders[i].url + "'>" + lenders[i].name + "</a>"; } ad.innerHTML = "<ul>" + list + "</ul>"; } } } // 在html的<canvas>中用图表展示月度贷款余额、利息和资产收益 // 如果不传入参数的话,则清空之前的图表数据 function chart(principal, interest, monthly, payments){ var graph = document.getElementById('graph'); graph.width = graph.width; //清除并重置画布 if (arguments.length === 0 || !graph.getContext) return; // 获得画布元素的‘context’对象,这个对象定义了一组绘画api var g = graph.getContext('2d'); var width = graph.width; var height = graph.height; // 将付款数字和美元数字转化为像素 function paymentToX(n) { return n * width / payments; } function amountToY(a) { return height - (a * height / (monthly * payments * 1.05)); } g.moveTo(paymentToX(0), amountToY(0)); g.lineTo(paymentToX(payments), amountToY(monthly * payments)); g.lineTo(paymentToX(payments), amountToY(0)); g.closePath(); g.fillStyle = '#f88'; g.fill(); g.font = 'blod 12px sans-serif'; g.fillText('Total Interest Payments', 20, 20); var equity = 0; g.beginPath(); g.moveTo(paymentToX(0), amountToY(0)); for (var p = 1; p <= payments; p++) { var thisMonthsInterest = (principal - equity) * interest; equity += (monthly - thisMonthsInterest); g.lineTo(paymentToX(p), amountToY(equity)); } g.lineTo(paymentToX(payments), amountToY(0)); g.closePath(); g.fillStyle = 'green'; g.fill(); g.fillText('Total Equity', 20, 35); // 再次循环,余额数据显示为黑色粗线条 var bal = principal; g.beginPath(); g.moveTo(paymentToX(p), amountToY(bal)); for (var p = 0; p < payments; p++) { var thisMonthsInterest = bal * interest; bal -= (monthly - thisMonthsInterest); g.lineTo(paymentToX(p), amountToY(bal)); } g.lineWidth = 3; g.stroke(); g.fillStyle = 'black'; g.fillText('Loan Balance', 20, 50); // 将年度数据在x轴做标记 g.textAlign = 'center'; var y = amountToY(0); for (var year = 1; year * 12 <= payments; year++) { var x = paymentToX(year * 12); g.fillRect(x - 0.5, y - 3, 1, 3); if (year === 1) g.fillText('Year', x, y - 5); if (year % 5 === 0 && year * 12 !== payments) g.fillText(String(year), x, y - 5); } g.textAlign = 'right'; g.textBaseline = 'middle'; var ticks = [monthly * payments, principal]; var rightEdge = paymentToX(payments); for (var i = 0; i < ticks.length; i++) { var y = amountToY(ticks[i]); g.fillRect(rightEdge - 3, y - 0.5, 3, 1); g.fillText(String(ticks[i].toFixed(0)), rightEdge - 5, y); } } </script> </body> </html>
Related articles:
Pure javascript code to implement calculator function (three methods)
How to implement calculator function in javascript
Related videos:
Web version calculator-8 days to learn javascript video tutorial
The above is the detailed content of JavaScript script implements loan calculator function (full code). For more information, please follow other related articles on the PHP Chinese website!

The main difference between Python and JavaScript is the type system and application scenarios. 1. Python uses dynamic types, suitable for scientific computing and data analysis. 2. JavaScript adopts weak types and is widely used in front-end and full-stack development. The two have their own advantages in asynchronous programming and performance optimization, and should be decided according to project requirements when choosing.

Whether to choose Python or JavaScript depends on the project type: 1) Choose Python for data science and automation tasks; 2) Choose JavaScript for front-end and full-stack development. Python is favored for its powerful library in data processing and automation, while JavaScript is indispensable for its advantages in web interaction and full-stack development.

Python and JavaScript each have their own advantages, and the choice depends on project needs and personal preferences. 1. Python is easy to learn, with concise syntax, suitable for data science and back-end development, but has a slow execution speed. 2. JavaScript is everywhere in front-end development and has strong asynchronous programming capabilities. Node.js makes it suitable for full-stack development, but the syntax may be complex and error-prone.

JavaScriptisnotbuiltonCorC ;it'saninterpretedlanguagethatrunsonenginesoftenwritteninC .1)JavaScriptwasdesignedasalightweight,interpretedlanguageforwebbrowsers.2)EnginesevolvedfromsimpleinterpreterstoJITcompilers,typicallyinC ,improvingperformance.

JavaScript can be used for front-end and back-end development. The front-end enhances the user experience through DOM operations, and the back-end handles server tasks through Node.js. 1. Front-end example: Change the content of the web page text. 2. Backend example: Create a Node.js server.

Choosing Python or JavaScript should be based on career development, learning curve and ecosystem: 1) Career development: Python is suitable for data science and back-end development, while JavaScript is suitable for front-end and full-stack development. 2) Learning curve: Python syntax is concise and suitable for beginners; JavaScript syntax is flexible. 3) Ecosystem: Python has rich scientific computing libraries, and JavaScript has a powerful front-end framework.

The power of the JavaScript framework lies in simplifying development, improving user experience and application performance. When choosing a framework, consider: 1. Project size and complexity, 2. Team experience, 3. Ecosystem and community support.

Introduction I know you may find it strange, what exactly does JavaScript, C and browser have to do? They seem to be unrelated, but in fact, they play a very important role in modern web development. Today we will discuss the close connection between these three. Through this article, you will learn how JavaScript runs in the browser, the role of C in the browser engine, and how they work together to drive rendering and interaction of web pages. We all know the relationship between JavaScript and browser. JavaScript is the core language of front-end development. It runs directly in the browser, making web pages vivid and interesting. Have you ever wondered why JavaScr


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

SublimeText3 English version
Recommended: Win version, supports code prompts!

Zend Studio 13.0.1
Powerful PHP integrated development environment

SecLists
SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

VSCode Windows 64-bit Download
A free and powerful IDE editor launched by Microsoft
