Mortgage and credit calculator for website

Our company is engaged in the development, support and maintenance of sites of any complexity. From simple one-page sites to large-scale cluster systems built on micro services. Experience of developers is confirmed by certificates from vendors.
Development and maintenance of all types of websites:
Informational websites or web applications
Business card websites, landing pages, corporate websites, online catalogs, quizzes, promo websites, blogs, news resources, informational portals, forums, aggregators
E-commerce websites or web applications
Online stores, B2B portals, marketplaces, online exchanges, cashback websites, exchanges, dropshipping platforms, product parsers
Business process management web applications
CRM systems, ERP systems, corporate portals, production management systems, information parsers
Electronic service websites or web applications
Classified ads platforms, online schools, online cinemas, website builders, portals for electronic services, video hosting platforms, thematic portals

These are just some of the technical types of websites we work with, and each of them can have its own specific features and functionality, as well as be customized to meet the specific needs and goals of the client.

Our competencies:
Development stages
Latest works
  • image_website-b2b-advance_0.png
    B2B ADVANCE company website development
    1217
  • image_web-applications_feedme_466_0.webp
    Development of a web application for FEEDME
    1161
  • image_websites_belfingroup_462_0.webp
    Website development for BELFINGROUP
    852
  • image_ecommerce_furnoro_435_0.webp
    Development of an online store for the company FURNORO
    1046
  • image_crm_enviok_479_0.webp
    Development of a web application for Enviok
    823
  • image_bitrix-bitrix-24-1c_fixper_448_0.png
    Website development for FIXPER company
    815

Mortgage and Credit Calculator Development on Website

A credit calculator is a mathematically rigorous tool. Mistakes in formulas cannot be made: users compare results with bank calculations, and discrepancies undermine website trust.

Annuity Payment Mathematics

Most mortgages and consumer loans use an annuity scheme — equal monthly payments:

M = P × [r(1+r)^n] / [(1+r)^n - 1]

Where:

  • P — loan amount
  • r — monthly interest rate = annual / 12 / 100
  • n — number of months
  • M — monthly payment
function calcAnnuity(principal, annualRate, months) {
  if (annualRate === 0) {
    return { monthly: principal / months, total: principal, overpayment: 0 };
  }

  const r = annualRate / 12 / 100;
  const factor = Math.pow(1 + r, months);
  const monthly = principal * (r * factor) / (factor - 1);
  const total = monthly * months;
  const overpayment = total - principal;

  return {
    monthly: Math.round(monthly * 100) / 100,
    total: Math.round(total),
    overpayment: Math.round(overpayment),
  };
}

Differentiated Payment

Early payments are larger, later ones are smaller. Some banks (especially for mortgages) offer this option:

function calcDifferentiated(principal, annualRate, months) {
  const r = annualRate / 12 / 100;
  const principalPart = principal / months;
  const schedule = [];

  let balance = principal;
  let totalInterest = 0;

  for (let i = 1; i <= months; i++) {
    const interestPart = balance * r;
    const payment = principalPart + interestPart;
    totalInterest += interestPart;
    balance -= principalPart;

    schedule.push({
      month: i,
      payment: Math.round(payment * 100) / 100,
      principal: Math.round(principalPart * 100) / 100,
      interest: Math.round(interestPart * 100) / 100,
      balance: Math.max(0, Math.round(balance * 100) / 100),
    });
  }

  return {
    schedule,
    total: Math.round((principal + totalInterest) * 100) / 100,
    overpayment: Math.round(totalInterest * 100) / 100,
    firstPayment: schedule[0].payment,
    lastPayment: schedule[months - 1].payment,
  };
}

Payment Schedule

An amortization table is a mandatory element of a mortgage calculator:

function PaymentSchedule({ schedule }) {
  const [expanded, setExpanded] = useState(false);
  const visible = expanded ? schedule : schedule.slice(0, 12);

  const fmt = (n) => new Intl.NumberFormat('en-US', {
    minimumFractionDigits: 2, maximumFractionDigits: 2,
  }).format(n);

  return (
    <div className="schedule">
      <table>
        <thead>
          <tr>
            <th>Month</th>
            <th>Payment</th>
            <th>Principal</th>
            <th>Interest</th>
            <th>Balance</th>
          </tr>
        </thead>
        <tbody>
          {visible.map(row => (
            <tr key={row.month}>
              <td>{row.month}</td>
              <td>${fmt(row.payment)}</td>
              <td>${fmt(row.principal)}</td>
              <td>${fmt(row.interest)}</td>
              <td>${fmt(row.balance)}</td>
            </tr>
          ))}
        </tbody>
      </table>
      {schedule.length > 12 && (
        <button onClick={() => setExpanded(e => !e)}>
          {expanded ? 'Collapse' : `Show all ${schedule.length} months`}
        </button>
      )}
    </div>
  );
}

Early Repayment

A real mortgage involves a series of recalculations with partial early repayment:

function applyEarlyRepayment(schedule, month, amount, mode = 'reduce_term') {
  // mode: 'reduce_term' — shorten term, 'reduce_payment' — reduce payment
  let balance = schedule[month - 1].balance - amount;
  if (balance <= 0) return { paidOff: true };

  const remainingMonths = schedule.length - month;

  if (mode === 'reduce_term') {
    // Recalculate how many months are needed at the same rate
    // (inverse problem — iteratively)
    return recalculateWithNewBalance(balance, currentRate, 'minimize_term');
  }

  if (mode === 'reduce_payment') {
    return recalculateWithNewBalance(balance, currentRate, remainingMonths);
  }
}

Visualization

A pie or bar chart "principal / overpayment" is mandatory. Implementation via Chart.js (lightweight) or Recharts (if already used in the project):

import { Doughnut } from 'react-chartjs-2';

function OverpaymentChart({ principal, overpayment }) {
  return (
    <Doughnut
      data={{
        labels: ['Principal', 'Overpayment'],
        datasets: [{
          data: [principal, overpayment],
          backgroundColor: ['#3b82f6', '#f87171'],
          borderWidth: 0,
        }],
      }}
      options={{ plugins: { legend: { position: 'bottom' } } }}
    />
  );
}

Mortgage Calculator Parameters

Parameter Type Typical Values
Property Cost Number $10K–500K
Down Payment % or amount 10–50%
Interest Rate % 6–25% per annum
Term Years/months 1–30 years
Payment Type Radio Annuity / Differentiated
Insurance % of balance 0.1–1% per year

Add insurance to the monthly payment: insurance = balance * insuranceRate / 100 / 12.

Data Exchange with Application Form

function prefillApplicationForm(calcResult) {
  const data = {
    loan_amount: calcResult.principal,
    monthly_payment: calcResult.monthly,
    loan_term_months: calcResult.months,
    estimated_rate: calcResult.annualRate,
  };

  // Can be passed via URL to the application page
  const qs = new URLSearchParams(data).toString();
  window.open(`/mortgage-application?${qs}`, '_blank');
}

Timeframe

Annuity calculator with payment schedule and chart — 3–4 working days. Full version with differentiated calculation, early repayment, insurance, PDF export, and form integration — 7–10 days.