Online Calculator Implementation 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
    1212
  • 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
    1041
  • image_crm_enviok_479_0.webp
    Development of a web application for Enviok
    822
  • image_bitrix-bitrix-24-1c_fixper_448_0.png
    Website development for FIXPER company
    815

Implementing Online Calculator on Website

An online calculator is one of the most converting tools on a website. A mortgage calculator, service cost calculation, ROI calculator — all are built on the same architecture, but the devil is in the details: formulas, validation, number formatting, result animation.

Architecture: Formula as Config

Wrong approach — hardcoding formulas directly into event handlers. Correct approach — separate calculation logic from UI:

// types.ts
interface CalculatorField {
  id: string
  label: string
  type: 'number' | 'range' | 'select' | 'radio'
  min?: number
  max?: number
  step?: number
  defaultValue: number
  unit?: string
  options?: { label: string; value: number }[]
  format?: 'currency' | 'percent' | 'number'
}

interface CalculatorConfig {
  id: string
  fields: CalculatorField[]
  formula: (inputs: Record<string, number>) => CalculatorResult
  resultFields: ResultField[]
}

interface CalculatorResult {
  [key: string]: number
}

Mortgage Calculator: Implementation

// mortgage-calculator.ts
export const mortgageCalculator: CalculatorConfig = {
  id: 'mortgage',
  fields: [
    { id: 'price', label: 'Property Cost', type: 'number',
      min: 500_000, max: 100_000_000, step: 100_000, defaultValue: 5_000_000,
      format: 'currency' },
    { id: 'downPayment', label: 'Down Payment', type: 'range',
      min: 10, max: 90, step: 1, defaultValue: 20, unit: '%', format: 'percent' },
    { id: 'rate', label: 'Interest Rate', type: 'number',
      min: 0.1, max: 30, step: 0.1, defaultValue: 11.5, unit: '% per year', format: 'percent' },
    { id: 'term', label: 'Loan Term', type: 'select',
      defaultValue: 20,
      options: [5, 10, 15, 20, 25, 30].map(y => ({ label: `${y} years`, value: y })) },
  ],
  formula: ({ price, downPayment, rate, term }) => {
    const principal = price * (1 - downPayment / 100)
    const monthlyRate = rate / 100 / 12
    const months = term * 12

    // Annuity payment formula
    const payment = monthlyRate === 0
      ? principal / months
      : principal * (monthlyRate * Math.pow(1 + monthlyRate, months))
          / (Math.pow(1 + monthlyRate, months) - 1)

    const totalPayment = payment * months
    const overpayment = totalPayment - principal

    return { payment, totalPayment, overpayment, principal }
  },
  resultFields: [
    { id: 'payment', label: 'Monthly Payment', format: 'currency', highlight: true },
    { id: 'totalPayment', label: 'Total Amount', format: 'currency' },
    { id: 'overpayment', label: 'Overpayment', format: 'currency' },
    { id: 'principal', label: 'Loan Amount', format: 'currency' },
  ],
}

React Calculator Component

import { useState, useCallback, useMemo } from 'react'

function formatValue(value: number, format?: string): string {
  switch (format) {
    case 'currency':
      return new Intl.NumberFormat('en-US', {
        style: 'currency',
        currency: 'USD',
        maximumFractionDigits: 0,
      }).format(value)
    case 'percent':
      return `${value.toFixed(1)}%`
    default:
      return new Intl.NumberFormat('en-US').format(value)
  }
}

export function Calculator({ config }: { config: CalculatorConfig }) {
  const [values, setValues] = useState<Record<string, number>>(
    Object.fromEntries(config.fields.map(f => [f.id, f.defaultValue]))
  )

  const result = useMemo(() => {
    try {
      return config.formula(values)
    } catch {
      return null
    }
  }, [values, config])

  const handleChange = useCallback((id: string, value: number) => {
    setValues(prev => ({ ...prev, [id]: value }))
  }, [])

  return (
    <div className="calculator">
      <div className="calculator__inputs">
        {config.fields.map(field => (
          <CalculatorField
            key={field.id}
            field={field}
            value={values[field.id]}
            onChange={val => handleChange(field.id, val)}
          />
        ))}
      </div>
      {result && (
        <div className="calculator__results">
          {config.resultFields.map(rf => (
            <div key={rf.id} className={`result-item ${rf.highlight ? 'result-item--highlight' : ''}`}>
              <span className="result-item__label">{rf.label}</span>
              <AnimatedNumber
                value={result[rf.id]}
                format={rf.format}
              />
            </div>
          ))}
        </div>
      )}
    </div>
  )
}

Number Change Animation

import { useEffect, useRef, useState } from 'react'

function AnimatedNumber({ value, format }: { value: number; format?: string }) {
  const [displayValue, setDisplayValue] = useState(value)
  const animationRef = useRef<number>()
  const startRef = useRef(value)
  const startTimeRef = useRef<number>()

  useEffect(() => {
    const startValue = displayValue
    startRef.current = startValue
    startTimeRef.current = undefined

    const duration = 400  // ms

    const animate = (timestamp: number) => {
      if (!startTimeRef.current) startTimeRef.current = timestamp
      const elapsed = timestamp - startTimeRef.current
      const progress = Math.min(elapsed / duration, 1)

      // Easing: ease-out
      const eased = 1 - Math.pow(1 - progress, 3)
      const current = startValue + (value - startValue) * eased

      setDisplayValue(current)

      if (progress < 1) {
        animationRef.current = requestAnimationFrame(animate)
      }
    }

    animationRef.current = requestAnimationFrame(animate)
    return () => { if (animationRef.current) cancelAnimationFrame(animationRef.current) }
  }, [value])

  return <span className="animated-number">{formatValue(displayValue, format)}</span>
}

Input Validation

function CalculatorField({ field, value, onChange }: FieldProps) {
  const [rawValue, setRawValue] = useState(String(value))
  const [error, setError] = useState('')

  function handleInput(e: React.ChangeEvent<HTMLInputElement>) {
    const raw = e.target.value
    setRawValue(raw)

    const num = parseFloat(raw.replace(/\s/g, '').replace(',', '.'))

    if (isNaN(num)) {
      setError('Enter a number')
      return
    }

    if (field.min !== undefined && num < field.min) {
      setError(`Minimum: ${formatValue(field.min, field.format)}`)
      return
    }

    if (field.max !== undefined && num > field.max) {
      setError(`Maximum: ${formatValue(field.max, field.format)}`)
      return
    }

    setError('')
    onChange(num)
  }

  // Synchronize on external change (e.g., from range slider)
  useEffect(() => {
    setRawValue(String(value))
    setError('')
  }, [value])

  return (
    <div className={`field ${error ? 'field--error' : ''}`}>
      <label htmlFor={field.id}>{field.label}</label>
      <input
        id={field.id}
        type="text"
        inputMode="decimal"
        value={rawValue}
        onChange={handleInput}
      />
      {field.unit && <span className="field__unit">{field.unit}</span>}
      {error && <span className="field__error">{error}</span>}
    </div>
  )
}

Save Result and Share

// Encode parameters in URL for sharing
function encodeCalcState(values: Record<string, number>): string {
  const params = new URLSearchParams(
    Object.entries(values).map(([k, v]) => [k, String(v)])
  )
  return params.toString()
}

function decodeCalcState(search: string): Record<string, number> {
  const params = new URLSearchParams(search)
  const result: Record<string, number> = {}
  params.forEach((v, k) => { result[k] = parseFloat(v) })
  return result
}

// Update URL without page reload when values change
function syncToUrl(values: Record<string, number>) {
  const url = new URL(window.location.href)
  url.search = encodeCalcState(values)
  window.history.replaceState({}, '', url.toString())
}

Payment Distribution Diagram

// Simple pie chart via SVG without libraries
function PaymentPieChart({ principal, overpayment }: { principal: number; overpayment: number }) {
  const total = principal + overpayment
  const principalPct = principal / total
  const angle = principalPct * 360

  // SVG arc path
  const r = 80
  const cx = 100, cy = 100
  const rad = (deg: number) => (deg - 90) * Math.PI / 180
  const x = (deg: number) => cx + r * Math.cos(rad(deg))
  const y = (deg: number) => cy + r * Math.sin(rad(deg))

  const largeArc = angle > 180 ? 1 : 0
  const path1 = `M ${cx} ${cy} L ${x(0)} ${y(0)} A ${r} ${r} 0 ${largeArc} 1 ${x(angle)} ${y(angle)} Z`
  const path2 = `M ${cx} ${cy} L ${x(angle)} ${y(angle)} A ${r} ${r} 0 ${1 - largeArc} 1 ${x(360)} ${y(360)} Z`

  return (
    <svg viewBox="0 0 200 200" width="200" height="200">
      <path d={path1} fill="#6366f1" />
      <path d={path2} fill="#f43f5e" />
    </svg>
  )
}

Timeline

Simple calculator with 3–5 fields and one result — 1 day. Mortgage calculator with animation, diagram, URL sharing, and responsive layout — 2–3 days. Configurable system with multiple calculators and CMS management — 1 week.