Guide · Node.js · REST API

Credit Card Validation in Node.js — Luhn Algorithm Explained

How the Luhn algorithm works, why a DIY implementation isn't enough for production, and how to detect the card network — all in one API call.

1. What is the Luhn algorithm?

The Luhn algorithm (also called Luhn formula or mod-10 algorithm) is a simple checksum formula invented by IBM scientist Hans Peter Luhn in 1954. It was designed to protect against accidental errors — not malicious attacks — when entering numbers by hand.

Today, Luhn validation is used by virtually every credit card network (Visa, Mastercard, Amex, Discover, etc.), as well as IMEI numbers, Canadian Social Insurance Numbers, and more. When a user mistypes a single digit in a card number, Luhn will almost certainly catch it — saving a round-trip to the payment processor.

ℹ️Luhn is a format check, not a security check. It tells you whether a number could be a real card number — not whether the card actually exists or has funds available. Never rely on it alone to accept payments.

2. How it works — step by step

Let's walk through the algorithm using the well-known Visa test card number: 4111 1111 1111 1111.

Step 1 — Remove spaces, work right to left

Strip all non-digit characters. Starting from the second-to-last digit and moving left, double every second digit.

Position (RTL)12345678910111213141516
Digit4111111111111111
Doubled4212121212121212

Blue = doubled (every 2nd digit from right, starting at position 2)

Step 2 — Subtract 9 from any doubled result > 9

For example, doubling 6 gives 12 → subtract 9 → 3. In this example all doubled digits are 1→2, so no adjustment needed.

Step 3 — Sum all digits

4 + 2 + 1 + 2 + 1 + 2 + 1 + 2 + 1 + 2 + 1 + 2 + 1 + 2 + 1 + 2 = 28... wait, that's the example simplified. Let's use a realistic card:

For 4111111111111111 the sum is 40.

Step 4 — Check divisibility by 10

If sum % 10 === 0 the number is Luhn-valid. For our test card: 40 % 10 = 0


3. DIY Node.js implementation

The algorithm itself is compact. Here's a correct implementation:

// luhn.js — correct implementation of the Luhn algorithm
function luhnCheck(cardNumber) {
  // Strip spaces, dashes, and other separators
  const digits = cardNumber.replace(/\D/g, '');

  if (digits.length < 13 || digits.length > 19) return false;

  let sum = 0;
  let shouldDouble = false;

  // Traverse right to left
  for (let i = digits.length - 1; i >= 0; i--) {
    let digit = parseInt(digits[i], 10);

    if (shouldDouble) {
      digit *= 2;
      if (digit > 9) digit -= 9;
    }

    sum += digit;
    shouldDouble = !shouldDouble;
  }

  return sum % 10 === 0;
}

// Test cards (all should pass)
console.log(luhnCheck('4111 1111 1111 1111')); // true  — Visa
console.log(luhnCheck('5500 0000 0000 0004')); // true  — Mastercard
console.log(luhnCheck('3714 496353 98431'));   // true  — Amex
console.log(luhnCheck('4111 1111 1111 1112')); // false — one digit off

4. Why Luhn alone isn't enough

The function above works correctly. So why not just use it? Because real-world credit card validation involves several additional layers:

Length validation per network

Valid card numbers are 13–19 digits, but the exact length depends on the network. Visa uses 13 or 16 digits. Amex always has 15. Mastercard is always 16. JCB can be 16–19. A 14-digit number that passes Luhn cannot be a valid Visa card.

Network detection (IIN/BIN ranges)

To show the right card logo in your UI, route to the correct processor, or apply network-specific fee rules, you need to identify the card network. This requires matching the first 1–8 digits (the Issuer Identification Number) against a list of BIN ranges — which is considerably more complex than a single regex.

Security — card numbers must not be logged

Sending a card number as a GET query parameter is a PCI-DSS violation because the full number appears in server access logs, browser history, and proxy logs. Validation must happen over POST with the number in the body, or client-side before the number ever leaves the browser.

Test card numbers

Payment processors publish official test card numbers that pass Luhn but should never be accepted in production. Your server-side validator should know about them if you're doing pre-processing checks outside of a payment SDK.

// These all pass Luhn — they are test cards, not real ones:
// 4111 1111 1111 1111  — Visa test
// 5500 0000 0000 0004  — Mastercard test
// 3714 4963 5398 431   — Amex test
// 6011 1111 1111 1117  — Discover test

5. Network detection (BIN ranges)

Each card network owns a set of IIN (Issuer Identification Number) prefixes. The first digits of a card number uniquely identify the network:

NetworkStarts withLength
Visa413 or 16
Mastercard51–55, 2221–272016
American Express34, 3715
Discover6011, 622126–622925, 644–649, 6516
JCB3528–358916–19
Diners Club300–305, 36, 3814
UnionPay62, 8116–19

Maintaining this table correctly is surprisingly tricky — Mastercard expanded its BIN range from the 51–55 prefix to include 2221–2720 in 2017. Any hardcoded regex from before that date will silently reject newer Mastercard numbers.


6. The production-ready solution

The IsValid Credit Card API handles Luhn check, network detection, and length validation in a single POST request. The number is sent in the body — not in the URL — so it never appears in access logs.

7
Networks
Visa, MC, Amex, Discover, JCB, Diners, UnionPay
<20ms
Response time
pure algorithmic check
100/day
Free tier
no credit card required

Get your free API key at isvalid.dev — 100 calls per day, no credit card required.

Full parameter reference and response schema: Credit Card API docs →


7. Node.js code example

Using the native fetch API (Node 18+). The card number is sent as a JSON body — never as a URL parameter.

// cardValidator.js
const API_KEY = process.env.ISVALID_API_KEY;
const BASE_URL = 'https://api.isvalid.dev';

/**
 * Validate a credit card number using the IsValid API.
 *
 * @param {string} cardNumber - Raw card number (spaces and dashes are handled server-side)
 * @returns {Promise<{ valid: boolean, network: string, length: number, luhn: boolean }>}
 */
async function validateCard(cardNumber) {
  const response = await fetch(`${BASE_URL}/v0/credit-card`, {
    method: 'POST',
    headers: {
      'Authorization': `Bearer ${API_KEY}`,
      'Content-Type': 'application/json',
    },
    body: JSON.stringify({ number: cardNumber }),
  });

  if (!response.ok) {
    const error = await response.json().catch(() => ({}));
    throw new Error(`Card API error ${response.status}: ${error.message ?? 'unknown'}`);
  }

  return response.json();
}

// ── Example usage ────────────────────────────────────────────────────────────

const result = await validateCard('4111 1111 1111 1111');

if (!result.valid) {
  console.log('Invalid card number');
} else {
  console.log(`Valid ${result.network} card (${result.length} digits)`);
  // → "Valid Visa card (16 digits)"
}

In an Express checkout handler you might use it like this:

// routes/checkout.js (Express)
app.post('/checkout', async (req, res) => {
  const { cardNumber, ...rest } = req.body;

  let cardCheck;
  try {
    cardCheck = await validateCard(cardNumber);
  } catch {
    return res.status(502).json({ error: 'Card validation service unavailable' });
  }

  if (!cardCheck.valid) {
    return res.status(400).json({ error: 'Invalid card number' });
  }

  // Proceed to payment processor — never store the raw card number
  const charge = await paymentProcessor.charge({
    network: cardCheck.network,
    // pass tokenised number to your PSP, not the raw one
    ...rest,
  });

  res.json({ success: true, chargeId: charge.id });
});
⚠️Never store raw card numbers in your database or pass them in GET query strings. This API call is for pre-validation only — actual charging must go through a PCI-DSS compliant payment processor (Stripe, Adyen, Braintree, etc.).

8. cURL example

Note the -X POST and Content-Type header — this endpoint only accepts POST to keep the card number out of server logs.

curl -X POST \
  -H "Authorization: Bearer YOUR_API_KEY" \
  -H "Content-Type: application/json" \
  -d '{"number": "4111111111111111"}' \
  "https://api.isvalid.dev/v0/credit-card"

Amex test card (15 digits):

curl -X POST \
  -H "Authorization: Bearer YOUR_API_KEY" \
  -H "Content-Type: application/json" \
  -d '{"number": "371449635398431"}' \
  "https://api.isvalid.dev/v0/credit-card"

Invalid number (fails Luhn):

curl -X POST \
  -H "Authorization: Bearer YOUR_API_KEY" \
  -H "Content-Type: application/json" \
  -d '{"number": "4111111111111112"}' \
  "https://api.isvalid.dev/v0/credit-card"

9. Understanding the response

Valid Visa test card:

{
  "valid": true,
  "network": "Visa",
  "length": 16,
  "luhn": true
}

Invalid number (bad checksum):

{
  "valid": false,
  "network": "Visa",
  "length": 16,
  "luhn": false
}
FieldTypeDescription
validbooleantrue only when Luhn passes and the length is correct for the detected network
networkstringDetected card network: Visa, Mastercard, Amex, Discover, JCB, Diners Club, UnionPay, or Unknown
lengthnumberNumber of digits after stripping non-numeric characters
luhnbooleanWhether the number passes the Luhn mod-10 checksum (independently of length)

Note: valid is the combined result of Luhn + length. luhn lets you distinguish between a bad checksum vs. correct checksum but wrong length for the network.


10. Security and edge cases

Do client-side validation first

Run Luhn validation in the browser before the form is submitted. This gives instant feedback without a network round-trip — and means a raw card number never hits your server at all if it's obviously wrong.

// Client-side pre-check (browser, no API key needed)
function luhnCheck(num) {
  const digits = num.replace(/\D/g, '');
  let sum = 0, shouldDouble = false;
  for (let i = digits.length - 1; i >= 0; i--) {
    let d = parseInt(digits[i], 10);
    if (shouldDouble && (d = d * 2 - (d > 4 ? 9 : 0)) > 9) d -= 9;
    sum += d; shouldDouble = !shouldDouble;
  }
  return sum % 10 === 0;
}

cardInput.addEventListener('blur', () => {
  if (!luhnCheck(cardInput.value)) {
    showError('Please check your card number');
  }
});

Input formatting — accept any separator

Users enter card numbers in many formats: 4111-1111-1111-1111, 4111 1111 1111 1111, 4111111111111111. The API strips all non-digit characters automatically — pass the raw user input.

Show the card logo before submission

Use the network field to render the correct card logo as the user types — you can detect the network from just the first 4–6 digits. Call the API after the user types enough digits to identify the network.

// Show logo after 4+ digits typed
cardInput.addEventListener('input', async () => {
  const digits = cardInput.value.replace(/\D/g, '');
  if (digits.length >= 4) {
    const result = await validateCard(digits);
    showCardLogo(result.network); // 'Visa', 'Mastercard', etc.
  }
});

Never log or store raw card numbers

PCI-DSS prohibits storing the full PAN (Primary Account Number) unencrypted. Use your payment processor's tokenisation — pass the token, not the number, to your backend. The IsValid API is for format pre-validation only; the actual charge flow must go through a compliant PSP.


Summary

Do not use GET requests — card numbers will appear in access logs
Do not rely on Luhn alone — validate length per network too
Do not store or log raw card numbers (PCI-DSS)
Run Luhn client-side first for instant feedback
Use POST with JSON body for server-side checks
Use network detection to show the right card logo
Tokenise with your PSP — never store the raw PAN
Keep your BIN range table up to date (Mastercard 2221–2720)

See also

Validate credit cards instantly

Free tier includes 100 API calls per day. No credit card required. Supports Visa, Mastercard, Amex, Discover, JCB, Diners Club, and UnionPay.