API Performance and Accuracy Report 2026

Email Verification API Benchmarks

Response times, accuracy rates, and catch-all behavior vary significantly across providers. This post dissects real API performance data, explains what 99.9% accuracy actually measures, and gives procurement teams a framework for evaluating email verification APIs beyond the marketing headline.

25ms
Average API Response
99.9%
Deliverable Accuracy
500M+
Emails Validated

What Buyers Actually Compare (vs. What Gets Marketed)

Every email verification provider claims 99.9% accuracy and sub-100ms response times. The differences that matter for procurement and engineering decisions live in the details: catch-all handling, retry logic, SMTP timeout behavior, and how accuracy is measured.

25ms
Average API Response
99.9%
Deliverable Accuracy
5,000+
Disposable Domains
240+
Countries Supported

Marketing Claims vs. Evaluation Criteria

Surface-Level Metrics

  • -"99.9% accuracy" — but what does the denominator measure? Deliverable emails only, or all emails tested including catch-alls and greylisted addresses?
  • -"Sub-50ms response"— p50 or p99? Measured from the client or from the provider's edge? Does it include SMTP verification or just syntax and MX checks?
  • -"Millions of emails verified" — total historical volume says nothing about current accuracy or infrastructure reliability.
  • -"99.99% uptime" — over what period? Does planned maintenance count? Is there an SLA with credits?

What Actually Differentiates Providers

  • +Catch-all handling strategy— does the provider return "unknown", "risky", or attempt SMTP verification with retry logic? This alone determines 15-30% of B2B list outcomes.
  • +Greylisting recovery— providers differ in whether they retry on 450 responses, how many retries, and what timeout they use before returning "unknown".
  • +API response consistency — running the same email through the API multiple times. Stable results indicate deterministic verification logic; inconsistent results suggest non-deterministic SMTP timing.
  • +Error transparency — does the API return structured error codes, SMTP response codes, and diagnostic data, or just a pass/fail boolean?

What This Post Actually Covers

Most email verification buyers evaluate providers by comparing marketing numbers: accuracy percentages, response time claims, and price-per-lookup. This post shows what those numbers mean in practice, how to test them yourself, and which metrics actually predict real-world performance. All benchmarks use the email-check.app API with its verified endpoint at api.email-check.app.

What Does 99.9% Accuracy Actually Measure

Email-check.app claims 99.9% accuracy for deliverable emails. This number is measured against emails that have confirmed mailboxes — addresses where an SMTP RCPT TO command returns 250 OK. The metric does not include catch-all domains, greylisted addresses, or addresses behind aggressive spam filters that time out.

Why this distinction matters: a provider that tests accuracy only against clearly deliverable addresses (Gmail, Outlook, corporate domains with standard SMTP) will show higher numbers than one that tests against a representative sample including catch-alls, role-based addresses, and recently registered domains. When comparing providers, ask what the test set included.

Response Time Benchmarks: What 25ms Means

The email-check.app API averages 25ms response time for a single verification call. This is the median (p50) measurement for a request that includes format validation, MX lookup, and SMTP verification. The p99 latency is higher — typically under 200ms — because SMTP connections to slow or rate-limiting mail servers take longer.

Response time varies by verification depth:

# Response time by verification depth (approximate)
# Format + MX only:        5-15ms
# Format + MX + SMTP:       15-50ms  (typical)
# Format + MX + SMTP + extras: 20-80ms
#   (extras = name detection, domain age, typo check)

# Real API call with all features enabled
curl -X GET "https://api.email-check.app/v1-get-email-details" \
  -H "accept: application/json" \
  -H "x-api-key: YOUR_API_KEY" \
  -G \
  -d "email=sales@acme-corp.com" \
  -d "verifyMx=true" \
  -d "verifySmtp=true" \
  -d "detectName=true" \
  -d "suggestDomain=true" \
  -d "checkDomainAge=true" \
  -d "timeout=10000"

# Response structure
{
  "email": "sales@acme-corp.com",
  "validFormat": true,
  "validMx": true,
  "validSmtp": true,
  "isDisposable": false,
  "isFree": false,
  "detectedName": {
    "firstName": null,
    "lastName": null,
    "confidence": 0
  },
  "domainSuggestion": null,
  "domainAge": {
    "ageInDays": 1247,
    "createdDate": "2022-09-15T00:00:00Z",
    "isValid": true
  },
  "score": 92
}

The score field (0-100) provides a composite quality rating. Scores above 80 indicate a high-confidence deliverable address. Scores between 40-80 suggest uncertainty — catch-all domains, greylisted addresses, or role-based accounts. Below 40 indicates likely undeliverable.

The Catch-All Problem: Where Accuracy Claims Break Down

Catch-all domains accept all emails regardless of whether the mailbox exists. Common examples include large enterprise domains configured to accept everything, Google Workspace domains with catch-all routing, and some hosting providers. When an SMTP RCPT TO returns 250 OK for every address, the provider cannot determine if the specific mailbox exists.

Different providers handle this differently:

  • Return "accept_all" status. This is what email-check.app does. The API returns validSmtp: truebut the status is "accept_all" rather than "deliverable". Downstream systems can decide how to treat these — some teams send to accept_all addresses, others exclude them.
  • Retry with delay. Some providers attempt SMTP verification multiple times with increasing delays, hoping the server eventually returns a definitive response. This improves accuracy but increases latency.
  • Mark as "risky." Conservative providers classify all catch-all results as uncertain, regardless of the SMTP response.

For B2B lists, 15-30% of addresses may hit catch-all domains. How your provider handles them directly impacts how many contacts you can safely email. If you reject all catch-alls, you lose real contacts. If you accept them all, you add bounce risk. The right approach depends on your tolerance for false negatives versus false positives.

Greylisting and SMTP Timing

Greylisting is an anti-spam technique where the mail server temporarily rejects the first delivery attempt with a 450 response, then accepts retries from the same IP. Most email verification APIs, including email-check.app, handle this by retrying the SMTP connection after a short delay.

The practical impact: the first verification request to a greylisting server may return "unknown" or time out. A subsequent request to the same email may return "deliverable." This means verification results are not always deterministic on the first attempt. For bulk validation, this is handled with retry queues. For real-time signup validation, the result on the first attempt is what you get.

Disposable Email Detection: Beyond Domain Lists

Email-check.app detects 5,000+ disposable email domains. Detection is based on a maintained domain list rather than heuristic analysis. The API returns isDisposable: true for any address on a known temporary or throwaway domain (Mailinator, Yopmail, Guerrilla Mail, and thousands more).

A limitation: new disposable services appear regularly. If a disposable domain was registered after the last list update, it may not be caught. Teams with high fraud exposure should combine disposable detection with other signals: the domainAge field (domains under 30 days old are higher risk), isFree flag, and the composite score.

Typo Detection and Domain Suggestions

The suggestDomainfeature detects common domain typos and returns a correction suggestion. When a user types "john@gmial.com", the API returns:

curl -X GET "https://api.email-check.app/v1-get-email-details" \
  -H "accept: application/json" \
  -H "x-api-key: YOUR_API_KEY" \
  -G -d "email=john@gmial.com" -d "suggestDomain=true"

# Response (abbreviated)
{
  "email": "john@gmial.com",
  "validMx": false,
  "validSmtp": false,
  "validFormat": true,
  "domainSuggestion": {
    "original": "gmial.com",
    "suggested": "gmail.com",
    "confidence": 0.95
  },
  "score": 5
}

The confidence field (0-1) indicates how certain the suggestion is. Corrections with confidence above 0.8 are reliable enough to apply automatically in signup forms. Lower confidence suggestions should be presented to the user for confirmation.

Evaluation Framework: How to Compare Providers

When evaluating email verification APIs, test against a dataset that represents your actual traffic. Do not rely on the provider's self-reported benchmarks. Here is a testing framework:

Test CategoryWhat to MeasureWhy It Matters
Known valid emails% returned as deliverableBaseline accuracy — should be near 100%
Known invalid emails% returned as undeliverableFalse negative rate — critical for fraud prevention
Catch-all domainsHow the status is labeledImpacts 15-30% of B2B lists
Disposable domains% detected, including new servicesCritical for signup screening
Role-based addresses% correctly identifiedImpacts B2B lead quality scoring
Domain typosSuggestion accuracy and confidenceRecovers 10-15% of mistyped signups
Response time p50Median latency in msDetermines suitability for real-time flows
Response time p9999th percentile latencyDetermines tail risk in signup forms
ConsistencySame result on repeated callsIndicates deterministic verification logic

Build a test set of 200-500 emails that represents your real traffic mix. Include known valid addresses from multiple providers (Gmail, Outlook, Yahoo, corporate domains), known invalid addresses, catch-all domain addresses, disposable addresses, role-based addresses, and addresses with common typos. Run this set through each provider you are evaluating and compare results.

Cost Per Verification: The Number That Actually Matters

Email-check.app pricing starts at $6.99/month for 6,000 credits — approximately $0.00117 per verification. The Business plan at $99.99/month includes 145,000 credits at $0.00069 per verification. Credits never expire on pay-as-you-go, and monthly plans reset each billing cycle.

The effective cost per verification depends on how you use the API. If you verify every email at signup (real-time) and also run bulk validation before campaigns (batch), your total volume determines the right plan. Compare providers by calculating: (monthly cost) / (total verifications needed per month). Include overage pricing in your calculation — some providers charge significantly more per verification once you exceed plan limits.

Frequently Asked Questions

How does email-check.app accuracy compare to competitors?

We recommend testing each provider against your own data set rather than relying on self-reported numbers. The email-check.app API returns structured results with validSmtp,validMx, validFormat, and a composite score that let you see the reasoning behind each result, making accuracy easier to audit.

Can I use the API for real-time signup validation?

The 25ms average response time is fast enough for synchronous signup flows. For best results, call the API on form submission (before creating the account) and use the isDisposable,score, and domainSuggestion fields to make immediate accept, reject, or correct decisions.

What happens with catch-all domains in bulk validation?

Catch-all addresses return validSmtp: truebut the overall status is "accept_all". In bulk workflows, you can segment these separately — send to confirmed deliverable addresses first, then decide on a case-by-case basis whether to include accept_all addresses in your campaign.

Does the API support bulk or batch verification?

The API processes individual requests. For bulk validation, you can upload CSV files through the dashboard or build batch processing in your application using concurrent API calls with rate limiting (100+ requests per second supported).

Email Verification API Evaluation Matrix

Use this matrix to compare email-check.app against other providers you are evaluating. Each row represents a testable claim, not a marketing number.

CapabilityEmail-Check.appWhat to Test
SMTP VerificationIncludedRCPT TO command with configurable timeout
MX Record CheckIncludedDNS MX lookup, returns boolean
Disposable Detection5,000+ domainsTest new disposable services not in the list
Typo CorrectionWith confidenceCommon domain typos (gmial, yaho, hotmal)
Name ExtractionWith confidenceTest john.smith@ vs info@ addresses
Domain AgeIncludedDays since registration, creation date
Risk Score0-100 compositeConsistency across repeated calls
Free Provider DetectionIncludedGmail, Yahoo, Outlook, etc.
Role-Based DetectionImplicit via nameinfo@, sales@, admin@ pattern matching
Response Time (p50)25msTest from your infrastructure, not the provider side
$0.00117
Per Verification (Starter)
6,000 credits at $6.99/mo
$0.00069
Per Verification (Business)
145,000 credits at $99.99/mo
SOC 2 + ISO 27001
Security Certifications
GDPR and CCPA compliant

Test the API Before You Commit

Run your own accuracy benchmarks against email-check.app. Plans start at $6.99/month with 6,000 credits, or test individual emails on the live demo page before signing up.

25ms
Avg Response
99.9%
Accuracy
5K+
Disposable Domains
$6.99
Starting Price