npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

ermis-ekyc-sdk

v1.0.0

Published

Ermis eKYC SDK - OCR, Liveness Detection, Face Match

Readme

Ermis eKYC SDK

A TypeScript SDK for identity verification (eKYC) with OCR, Liveness Detection, and Face Match capabilities.

Features

  • 📄 OCR – Extract information from identity documents (CCCD, Passport, Driver's License)
  • 🧬 Liveness Detection – Verify a selfie is from a live person (anti-spoofing)
  • 🔍 Face Match – Compare a selfie with a document photo
  • 🚀 Full Flow – Orchestrate all 3 steps in a single call
  • 🔧 Flexible Input – Accepts File, Blob, or base64 strings

Installation

# npm
npm install ermis-ekyc-sdk

# yarn
yarn add ermis-ekyc-sdk

Quick Start

import { EkycService, DocumentType } from "ermis-ekyc-sdk";

// 1. Initialize the SDK (singleton — config required on first call)
const ekyc = EkycService.getInstance({
  baseUrl: "https://ekyc-api.example.com/api/ekyc",
  apiKey: "your-api-key",
  timeout: 30000, // optional, defaults to 30s
});

// 2. Perform OCR
const ocrResult = await ekyc.performOcr({
  documentFront: frontImageFile,
  documentBack: backImageFile, // optional for PASSPORT
  documentType: DocumentType.CCCD,
});

console.log(ocrResult.data.full_name);
console.log(ocrResult.data.id_number);

// 3. Check Liveness
const livenessResult = await ekyc.checkLiveness({
  images: selfieFile,
});

console.log(livenessResult.is_live); // true | false

// 4. Face Match
const matchResult = await ekyc.matchFaces({
  selfieImage: selfieFile,
  documentImage: frontImageFile,
});

console.log(matchResult.match); // true | false
console.log(matchResult.similarity); // 0.0 - 1.0

Full eKYC Flow (All-in-One)

const result = await ekyc.startEkycFlow({
  documentFront: frontImageFile,
  documentBack: backImageFile,
  documentType: DocumentType.CCCD,
  selfieImage: selfieFile,
});

console.log(result.isVerified); // true | false
console.log(result.totalDuration); // total time in ms
console.log(result.ocr); // OcrResponse
console.log(result.liveness); // LivenessResponse
console.log(result.faceMatch); // FaceMatchResponse

API Reference

Initialization

EkycService.getInstance(config?: EkycConfig): EkycService

Returns the singleton instance. Config is required on first call.

interface EkycConfig {
  baseUrl: string; // Base URL of the eKYC API
  apiKey: string; // API key for authentication
  timeout?: number; // Request timeout in ms (default: 30000)
}

EkycService.resetInstance(): void

Resets the singleton, allowing re-initialization with a new config.


OCR – Document Extraction

ekyc.performOcr(request: OcrRequest): Promise<OcrResponse>

Extract information from identity document images.

// Document types
enum DocumentType {
  CCCD = "CCCD", // Citizen Identity Card
  PASSPORT = "PASSPORT", // Passport
  GPLX = "GPLX", // Driver's License
}

interface OcrRequest {
  documentFront: Blob | File | string; // Front side (required)
  documentBack?: Blob | File | string; // Back side (required for CCCD/GPLX, not needed for PASSPORT)
  documentType?: DocumentType | string; // Default: "CCCD"
  extractFace?: boolean; // Default: true
  ocrApi?: string; // Default: "advanced"
}

Response includes extracted fields: id_number, full_name, date_of_birth, gender, nationality, place_of_origin, place_of_residence, expiry_date, issue_date, and optional face_region.


Liveness Detection

ekyc.checkLiveness(request: LivenessRequest): Promise<LivenessResponse>

Verify a selfie is from a live person (not a photo/video of a photo).

interface LivenessRequest {
  images: Blob | File | string; // Selfie image (required)
  mode?: string; // Default: "passive"
  challenge?: string; // Default: "blink"
}

Response includes is_live, confidence, spoofing_detected, and detailed checks (texture analysis, moiré detection, reflection, depth estimation, face size, CLIP liveness).


Face Match

ekyc.matchFaces(request: FaceMatchRequest): Promise<FaceMatchResponse>

Compare a selfie with a document photo.

interface FaceMatchRequest {
  selfieImage: Blob | File | string; // Selfie image (required)
  documentImage: Blob | File | string; // Document image (required)
  threshold?: string; // Default: "0.6"
}

Response includes match (boolean), similarity (0-1), threshold, face detection counts, and processing_time_ms.


Full Flow

ekyc.startEkycFlow(input: EkycFlowInput): Promise<EkycFlowResult>

Orchestrates: OCR → Liveness → Face Match. Stops early if liveness fails.

interface EkycFlowInput {
  documentFront: Blob | File | string;
  documentBack: Blob | File | string;
  documentType?: DocumentType | string;
  extractFace?: boolean;
  selfieImage: Blob | File | string;
  faceMatchThreshold?: string;
  livenessMode?: string;
  livenessChallenge?: string;
}

interface EkycFlowResult {
  ocr: OcrResponse;
  liveness: LivenessResponse;
  faceMatch: FaceMatchResponse;
  isVerified: boolean; // true if all steps passed
  totalDuration: number; // total time in ms
}

Error Handling

All errors are wrapped in EkycError:

import { EkycError, EkycErrorCode } from "ermis-ekyc-sdk";

try {
  const result = await ekyc.performOcr({ ... });
} catch (error) {
  if (error instanceof EkycError) {
    console.error(error.code);       // EkycErrorCode
    console.error(error.message);    // Error message
    console.error(error.statusCode); // HTTP status code
    console.error(error.details);    // Additional details
    console.error(error.timestamp);  // ISO timestamp
  }
}

Error Codes

| Code | Description | | ----------------------- | --------------------------- | | NETWORK_ERROR | Network connectivity issues | | TIMEOUT_ERROR | Request timeout | | OCR_FAILED | OCR extraction failed | | LIVENESS_FAILED | Liveness detection failed | | FACE_MATCH_FAILED | Face comparison failed | | AUTHENTICATION_FAILED | Invalid API key | | INVALID_CONFIG | Invalid SDK configuration | | UNKNOWN | Unexpected error |


Development

Prerequisites

  • Node.js ≥ 18
  • npm or yarn

Setup

# Clone the repo
git clone https://github.com/ermisnetwork/ermis-ekyc-sdk.git
cd ermis-ekyc-sdk

# Install dependencies
npm install
# or
yarn install

# Build
npm run build
# or
yarn build

Run Demo App

# Install demo dependencies (first time)
npm run demo:install
# or
yarn demo:install

# Run demo with hot-reload (SDK + demo simultaneously)
npm run demo
# or
yarn demo

The demo app will start at http://localhost:3001. Changes to SDK source files (src/) will auto-rebuild and hot-reload in the demo.

Available Scripts

| Script | Description | | -------------- | ----------------------------------------- | | build | Compile TypeScript to dist/ | | dev | Watch mode – auto-compile on file changes | | lint | Type-check without emitting files | | demo | Build SDK + run demo with hot-reload | | demo:install | Build SDK + install demo dependencies |


Project Structure

src/
├── index.ts                  # Entry point, re-exports
├── EkycService.ts            # Singleton SDK + startEkycFlow()
├── types/
│   └── index.ts              # Interfaces, types & DocumentType enum
├── errors/
│   ├── EkycError.ts          # Custom error class + error codes
│   └── errorHandler.ts       # Centralized error handler
├── http/
│   └── httpClient.ts         # Axios instance + interceptors
├── services/
│   ├── ocrService.ts         # OCR API service
│   ├── livenessService.ts    # Liveness API service
│   └── faceMatchService.ts   # Face Match API service
└── utils/
    └── base64.ts             # base64 to Blob conversion utilities

examples/
└── demo/                     # React + Vite + Tailwind CSS demo app

License

MIT