New REST APIs for Developers & Creators: Image Translation, Embeddings, Text, Watermark & Background Removal

We’ve shipped four highly requested computer-vision endpoints and wired them into the PixLab API, the prompt-based AI Photo Editor and the Vision Workspace (OCR). This post gives you a developer-first tour with direct docs links and working JavaScript examples you can paste into your app today.


Quick links (docs)

You’ll need an API key from the PixLab Console: https://console.pixlab.io

Also available for content creatros in the popular apps suite namely:


1) Image Text Translation API (imgtranslate)

Translate text inside the image, preserve layout, and output the same image with replaced text. Supports English ↔ 10 languages and English/Chinese ↔ other languages; auto-detect is available when you’re unsure of the source. Endpoint: https://api.pixlab.io/imgtranslate.

JS example (POST upload)

<input type="file" id="imgFile" />
<script>
const API_KEY = 'PIXLAB_API_KEY';
const API_URL = 'https://api.pixlab.io/imgtranslate';

async function translateImage(target = 'en', source = 'auto') {
  const file = document.getElementById('imgFile').files?.[0];
  if (!file) return alert('Select an image first');

  const form = new FormData();
  form.append('file', file);
  form.append('key', API_KEY);
  form.append('target', target);
  form.append('source', source);

  const res = await fetch(API_URL, { method: 'POST', body: form });
  const out = await res.json();

  if (out.status !== 200) {
    console.error(out.error);
    return;
  }

  const bytes = atob(out.imgData);
  const buf = new Uint8Array([...bytes].map(c => c.charCodeAt(0)));
  const blob = new Blob([buf], { type: out.mimeType });
  const a = Object.assign(document.createElement('a'), {
    href: URL.createObjectURL(blob),
    download: `translated.${out.extension}`
  });
  document.body.appendChild(a); a.click(); a.remove();
}
</script>

2) Image Embedding API (imgembed)

Generate high-dimensional vectors (CLIP, etc.) for similarity search, clustering, or retrieval. Simple GET with image, model, key or POST with file. Endpoint: https://api.pixlab.io/imgembed.

JS example (GET by URL)

const API_KEY = 'PIXLAB_API_KEY';
const imageUrl = 'https://i.imgur.com/0Qe9rWZ.jpg';
const model = 'clip';

const url = new URL('https://api.pixlab.io/imgembed');
url.searchParams.set('image', imageUrl);
url.searchParams.set('model', model);
url.searchParams.set('key', API_KEY);

const res = await fetch(url);
const out = await res.json();

if (out.status !== 200) {
  console.error(out.error);
} else {
  console.log('dim:', out.vector.length, 'sample:', out.vector.slice(0, 8));
}

3) Text & Watermark Removal API (txtremove)

Programmatically remove overlaid text/watermarks while preserving content. POST with file or GET with img. Endpoint: https://api.pixlab.io/txtremove.

Important use policy: do not use this endpoint to remove watermarks or branding from copyrighted material you don’t own or have rights to; doing so violates the Terms and may result in account suspension. You’re responsible for legal compliance.

JS example (POST upload)

<input type="file" id="wmFile" />
<button id="removeTextButton">Remove</button>
<script>
const API_KEY = 'PIXLAB_API_KEY';
const API_URL = 'https://api.pixlab.io/txtremove';

async function removeText() {
  const file = document.getElementById('wmFile').files?.[0];
  if (!file) return alert('Select an image first');

  const form = new FormData();
  form.append('file', file);
  form.append('key', API_KEY);

  const res = await fetch(API_URL, { method: 'POST', body: form });
  const out = await res.json();

  if (out.status !== 200) return console.error(out.error);

  const bytes = atob(out.imgData);
  const buf = new Uint8Array([...bytes].map(c => c.charCodeAt(0)));
  const blob = new Blob([buf], { type: out.mimeType });
  const a = Object.assign(document.createElement('a'), {
    href: URL.createObjectURL(blob),
    download: `clean.${out.extension}`
  });
  document.body.appendChild(a); a.click(); a.remove();
}
document.getElementById('removeTextButton')?.addEventListener('click', removeText);
</script>

4) Background Removal API (bgremove)

Isolate the subject and drop the background—great for product images, creative apps, and bulk pipelines. POST with file or GET with image. Endpoint: https://api.pixlab.io/bgremove.

JS example (GET by URL)

const API_KEY = 'PIXLAB_API_KEY';
const url = new URL('https://api.pixlab.io/bgremove');
url.searchParams.set('image', 'https://i.imgur.com/0Qe9rWZ.jpg');
url.searchParams.set('key', API_KEY);

const res = await fetch(url);
const out = await res.json();

if (out.status !== 200) {
  console.error(out.error);
} else {
  console.log('result:', out.link ?? out.imgData.slice(0, 64) + '...');
}

Works out-of-the-box in PixLab apps


Production tips

  • Pass key as query param or header.
  • Use multipart/form-data for uploads.
  • blob=true for binary output.
  • Integrate with S3 from Console for permanent storage.
  • Handle status & error fields in JSON responses.

Next steps

  1. Get your API key → https://console.pixlab.io
  2. Read the docs:
  3. Try no-code:

Happy Integration!

PixLab Releases Groundbreaking Background Removal API for Developers and Creators

PixLab is proud to announce the official release of the new /bgremove API endpoint, a powerful, production-grade tool that enables background and foreground object removal from images with just a single API call.

PixLab Background Removal API

Designed with developers, marketers, and e-commerce platforms in mind, this RESTful API makes it trivially easy to integrate high-accuracy background removal into any application with no GPU or machine learning expertise required.


Why Use PixLab's Background Removal API?

Whether you are building a product listing platform, automating social media creatives, or simply want to clean up user-generated content, background removal is essential. Here's why PixLab’s Background Remove API stands out:

  • Fast & Reliable: Real-time processing with production-grade SLAs.
  • AI-Powered: Leverages deep learning models to detect and isolate the foreground.
  • Easy to Integrate: Works with plain HTTP requests — SDK-free.
  • Base64 Output or Direct URL: Get the result as an embeddable base64 or save-ready image.
  • Globally Distributed: CDN-backed for latency-sensitive applications.
  • Affordable & Transparent Pricing: Pay only for what you use.

Use Cases

Industry Use Case
E-Commerce Clean product shots with transparent background
Real Estate Remove clutter in listing photos
Marketing Tools Creative automation, thumbnails, ad creatives
Social Media Profile picture editing, story templates
SaaS Platforms Image editing in your user dashboard

Official Documentation

You’ll find the full API reference, parameters, response structure, and integration guides at:

Background Remove API Docs


How to Get Started

  1. Get your API key from the PixLab Console
  2. Review the documentation here
  3. Try it out in seconds with your image with Python|JavaScript|PHP and Ruby Code Samples
  4. Use the output in your app or save it locally

Built on the PixLab Vision Platform

This new endpoint is part of the broader PixLab Vision Platform, which includes:


Start Building Today

Join thousands of developers, marketing agencies, and creators automating their visual workflows with PixLab.

👉 Explore the Background Removal API →
👉 Get Your API Key →


PixLab Vision Workspace Launches Globally with Localized Versions for US, Japan, Indonesia, Brazil & More

We're thrilled to announce the global release of PixLab Vision Workspace, the next-generation AI-powered productivity suite built for both solo professionals and enterprise teams. With localized versions for Japan, Indonesia, Brazil, and Spanish-speaking markets, PixLab Vision is now ready to power your business — no matter where you are.

PixLab Vision Workspace

👉 Try it now: vision.pixlab.io


🗾 Tailored for Japan and Emerging Markets

PixLab Vision isn’t just translated — it's culturally and technically localized for real-world business users:

  • 🇯🇵 Japanese Interface: Available at pixlab.io/vision-platform/workspace-jp
  • 🇮🇩 Bahasa Support: Optimized for the Indonesian market
  • 🇧🇷 Brazilian Portuguese: UX tailored to local workflows
  • 🌎 Spanish Version: For Latin America and global Spanish-speaking professionals

Whether you're a solo entrepreneur, a corporate team, or a creative agency, PixLab Vision adapts to your language, data security expectations, and local compliance standards.


Unified AI-Powered Workspace

PixLab Vision Workspace is more than a document viewer — it’s a full AI workspace backed by PixLab’s proprietary Vision-Language Models (VLMs) and robust reasoning APIs.

Key Features:

  • Document AI: Upload images, PDFs, Office files — then extract structured data using OCR & LLM reasoning.
  • Smart Chat: Talk to your documents using natural language. Summarize, edit, translate, extract insights.
  • Spreadsheet + Markdown: Built-in editors for tabular data, reports, blog posts, and contracts.
  • Annotation Tools: Comment, highlight, and mark up documents with collaborative tools.
  • API Integration: Use PixLab’s REST endpoints including:
    • /llm-parse – Extract data from unstructured files
    • /tool-call – Call tools in real-time from your LLM
    • /query – Ask questions about images and documents

Freemium vs Premium: What's Included?

Feature Freemium Premium
Storage Local device only (browser) Cloud sync across devices
Document History Local only Persistent and shareable
OCR & LLM Parse Available Enhanced throughput
Team Collaboration Not included Multi-user collaboration tools
File Size Limit Up to 10MB Up to 250MB per file
Priority Support Community only Email & SLA-based corporate support

Freemium users enjoy complete privacy with local data storage: all OCR scans, edits, and chat histories stay on your browser.
Premium plans unlock cloud sync, API credits, and enterprise-grade security for distributed teams.


Who Is It For?

PixLab Vision Workspace is already used by:

  • SMBs & solo founders in Japan digitizing business receipts and contracts
  • Marketing agencies automating content repurposing and document translation
  • Enterprise teams managing compliance, contract processing, and data entry at scale
  • Developers integrating OCR, chat, and document extraction directly into their products via PixLab’s APIs

Start Using PixLab Vision Today

Whether you're streamlining your office work, building automation workflows, or integrating AI into your app, PixLab Vision puts the entire productivity stack in one place.

Let the AI handle the boring parts, so you can focus on growing your business.

👉 Get started today at vision.pixlab.io

👉 Learn More at: pixlab.io/vision-platform/workspace

PixLab App UI/UX Now Available: Generate Mobile App Screens with AI

We’re excited to announce the public release of PixLab App UI/UX, a brand-new AI-powered platform that turns your screen design ideas into clean, production-ready code, instantly.

PixLab App UI/UX

From prompt to mobile UI code in seconds.


🚀 What is PixLab App UI/UX?

PixLab App UI/UX is an AI-assisted code generation tool that allows developers and designers to:

  • Describe a screen layout using natural language or a sketch
  • Instantly generate UI code for:
    • Flutter
    • React Native
    • Jetpack Compose
    • SwiftUI

This tool is perfect for rapid prototyping, wireframing, and bridging the gap between design and development.


How It Works

APP UX Frameworks

  1. Open the App: Visit app-ux.pixlab.io
  2. Write a Prompt: Example: “A login screen with email and password fields, a sign-in button, and a forgot password link”
  3. Pick Your Framework: Choose Flutter, React Native, Jetpack Compose, or SwiftUI.
  4. Get Code Instantly: The app outputs clean, reusable code ready to integrate into your mobile app.

✨ Key Features

  • Prompt-Based UI Generation
    Just describe what you want — no manual coding required to start.
  • Multi-Framework Support
    Code is generated for all major mobile app development frameworks.
  • Faster Prototyping
    Build high-fidelity mockups and POCs within minutes.
  • Developer Friendly
    Copy/paste directly into your project — fully readable and modifiable code.
  • Consistent Design Language
    Follows modern UI best practices and component conventions.

Who Is It For?

  • App developers needing a quick starting point
  • UI/UX designers looking to preview or validate screen ideas
  • Agencies & startups aiming to speed up MVP delivery
  • Educators & students exploring mobile design fundamentals

Try It Now


Final Thoughts

PixLab App UI/UX bridges the gap between design and code — giving creators the freedom to focus on ideas while we handle the heavy lifting.

Try it today, and let AI accelerate your mobile development workflow. Your next app screen is only one prompt away.

Introducing the PixLab Mind Map App — Visual Thinking, Unleashed

We’re thrilled to announce the official release of the PixLab Mind Map App, a powerful, intuitive, and completely free visual workspace designed to help you organize ideas, boost creativity, and accelerate productivity. Whether you're brainstorming solo or collaborating with your team, PixLab Mind Map makes visual thinking effortless and accessible.

MindMap App


Why PixLab Mind Map?

The modern workflow is visual. That’s why we created a tool that matches the speed of thought — one that’s elegant, frictionless, and incredibly fast. PixLab Mind Map was built for students, creators, entrepreneurs, and professionals who need a flexible and distraction-free canvas to bring their ideas to life.


Key Features

  • Drag-and-Drop Simplicity
    Instantly create, connect, and customize nodes on a clean, responsive canvas.
  • Real-Time Collaboration
    Work together live with your team — share feedback and ideas instantly.
  • Smart Templates
    Choose from a growing library of ready-to-use templates for projects, education, planning, and more.
  • Dark Mode Ready
    Built to reduce eye strain for late-night creativity sessions.
  • Secure by Design
    We encrypt your sessions, auto-delete temp data, and never sell your information. All data is saved on your local storage, no cloud sync is performed.

Who Is It For?

  • Students – Organize lecture notes and exam plans visually
  • Educators – Map out curriculum and lesson flows
  • Teams – Plan sprints, roadmap features, and capture standups
  • Writers & Creators – Develop plot outlines or content strategies
  • Everyone – Capture daily thoughts and to-dos visually

💡 Built on PixLab’s Vision for Simpler Tools

PixLab is committed to delivering beautifully simple, privacy-first AI tools for modern teams. The Mind Map App is the latest addition to our growing ecosystem, and we’re just getting started.


🎉 Try It Free — Right Now

There’s no signup wall. No hidden costs. No installs.

👉 Launch the app: https://mindmap.pixlab.io
👉 Learn more: https://pixlab.io/mindmap-maker


Thank you to our early users for your feedback, support, and excitement. We can't wait to see what you'll build with PixLab Mind Map.

Explore the New PixLab Vision Platform VLM API Endpoints

PixLab’s Vision VLM Platform introduces a groundbreaking set of Vision Language Model (VLM) endpoints that combine natural language processing and computer vision in a simple, developer-friendly API suite.

PixLab Vision Platform

From querying images and parsing complex documents to generating PDFs and extracting ID data, the PixLab VLM API makes it easy to integrate intelligent image and document analysis into your own apps.


Vision Language Model Endpoints

These endpoints allow your application to understand images and video frames with natural language intelligence.

  • /query – Ask natural language questions about images and receive contextual answers
  • /describe – Get a natural language description of an image
  • /tagimg – Retrieve tags describing the image content
  • /detect – Detect and localize objects in the image
  • /vocr – OCR via vision models for printed text
  • /nsfw – Detect explicit content in media

Unstructured Document Parsing

Parse unstructured documents like invoices, receipts, and contracts using VLM-powered tools.

  • /llm-parse – Extract data from complex document layouts using a user-defined schema

Embedding APIs

Turn your content into machine-understandable vectors for search, indexing, and matching.

  • /txt-embed – Generate semantic embeddings from raw text
  • /img-embed – Generate vector embeddings from images

These endpoints are perfect for building your own AI-powered similarity search or recommendation systems.


Image Processing & Background Removal

PixLab also provides classic computer vision capabilities enhanced by AI.

  • /bg-remove – Remove background or unwanted objects from images
  • /docscan – Scan and extract JSON data from over 11,000 supported ID document types from 200+ countries
  • /nsfw – Pixelate or block NSFW content automatically

PDF Generation & Conversion

Create and manipulate PDF documents programmatically using these SDK-free endpoints:

  • /pdfgen – Generate media-rich PDFs from HTML or Markdown
  • /pdftoimg – Convert PDF files into image previews

LLM Tool Calling Infrastructure

PixLab provides built-in tools for enhancing your LLM pipeline:

  • /llm-tool – Get a list of tools callable from your LLM
  • /tool-call – Execute a tool call based on LLM output

These endpoints enable your LLM agent to execute functions dynamically and return results within the same context.


System Tools & Metadata

Helpful utility endpoints for checking server health and supported formats:

  • /status – View current system status
  • /about – Get PixLab version & license info
  • /extension – Retrieve supported file extensions

Explore the Full API Suite

PixLab offers over 150 RESTful endpoints for vision, media, and document automation tasks. Visit the following links to dive deeper:


Final Thoughts

Whether you're working on an AI productivity suite, eKYC onboarding, or document automation pipeline, PixLab’s VLM API delivers powerful, production-ready tools in minutes. All endpoints are accessible via secure HTTP requests and require no proprietary SDKs.

Get started by signing up for an API key at PixLab Console and explore what's possible with Vision Language Models.

Build smarter apps — faster.

New FACEIO REST API Endpoints for Face Verification & Age Estimation

We're excited to announce the release of two new REST API endpoints from FACEIO that extend the power of our facial recognition technology beyond browser-based widget instantiations.

FACEIO Integration

You can now leverage FACEIO's advanced face matching and age detection models entirely via REST API, without requiring frontend JavaScript integration or widget rendering. These endpoints are ideal for server-side face verification and age validation workflows such as identity checks, restricted access control, and user segmentation.


Face Verification API – faceverify

The faceverify API endpoint allows you to programmatically compare two face images and determine if they belong to the same individual—no prior enrollment required.

✅ Key Features:

  • Compare faces in two images
  • No FACEIO Widget or user session needed
  • No enrollment required
  • Fully memory-based (RAM) processing with auto image deletion
  • Privacy-first: no storage, logs, or persistent caching

📥 How it works:

Send a POST request with two base64-encoded face images: - src: Base64 of the first face image - target: Base64 of the second face image

Each image must contain only one face. If your image contains multiple faces, extract the target face using the PixLab CROP API ↗.

Example Use Case:

  • Comparing a selfie against an uploaded ID or reference image in tandem with the PixLab Document Scanner API Endpoint ↗
  • Face matching for duplicate detection or system re-entry checks
{
  "src": "data:image/jpeg;base64,...",
  "target": "data:image/jpeg;base64,..."
}

The API returns a JSON object with the similarity score and a match boolean.


Age & Gender Detection API – agecheck

The agecheck endpoint allows you to estimate the age and gender of a person from a single uploaded image that is ideal for access control, compliance, and content gating.

✅ Key Features:

  • Estimate age and gender from a single face image
  • No prior enrollment or widget interaction required
  • Memory-only (RAM) processing
  • No persistent storage or logging

📥 How it works:

Send a POST request with the following parameter: - src: A base64-encoded image containing a single visible face

{
  "src": "data:image/jpeg;base64,..."
}

The API responds with estimated age, gender, and confidence scores.

Example Use Case:

  • Verifying user age for gated content or age-based access
  • Estimating demographic data during user registration
  • Segmenting users based on estimated age or gender

🔒 Privacy & Security First

Both endpoints operate in-memory only and follow strict privacy measures. Images are processed and then immediately purged, no logs, no storage, and no data retention. This aligns fully with our Security Best Practices.


📚 Ready to Build?

You can use the new FACEIO REST APIs with any backend that supports HTTP POST requests and base64 data encoding.

For implementation guides, authentication headers, and full request/response examples, refer to the official documentation:


Start building face-powered features into your backend today.


FACEIO – Secure, Passwordless Authentication for Websites and Web Apps FACEIO offers secure, cross-browser, passwordless authentication via facial recognition. Streamline access control and enhance user experience with our face recognition login solution.

PixLab API 2 Released with new API Portal and Over 150 Endpoints

PixLab Logo

The development team is thrilled to announce the release of PixLab API 2, a massive upgrade to our machine vision and media processing platform with now featuring a brand-new API Portal and over 150 powerful endpoints designed for businesses, developers, and creators.

From document extraction APIs, background removal, and dynamic PDF creation plus a brand new Vision Platform backed by state-of-the-art vision-language models, PixLab API 2 offers unmatched capabilities to analyze, transform, and automate visual content at scale.

👉 Explore the new API Portal now: pixlab.io/api-portal

👉 Explore the comprehensive list of API endpoints and their documentation: pixlab.io/api-endpoints


What’s New in PixLab API 2?

✅ All-New Developer Portal

  • Modern UI for key management, usage monitoring, and testing API calls in real time.
  • Comprehensive API Reference & Endpoint List with code samples and quickstart guides for every service.

🔍 Featured API Categories & Endpoints

ID Scan & Extract API

Scan official documents effortlessly with PixLab’s ID Scan & Extract API: - Comprehensive ID Support: Quickly scan & extract data from passports, driver's licenses, and 11,000+ document types from 197+ countries. - Structured JSON Output: Get parsed ID fields (name, DOB, MRZ, face, etc.) in a clean, machine-readable format.

👉 Explore DOCSCAN Documentation


FACEIO – Face Recognition & Authentication

Secure and frictionless passwordless authentication: - Facial Login: Enable seamless access with facial authentication. - Liveness Detection: Block spoofing with advanced anti-fraud checks. - Age Verification: Instantly validate user age for compliance.

👉 FACEIO Integration Guide


🖼️ Background Removal API

Remove image backgrounds with pixel-perfect precision: - Ultra-Fast Processing: Background-free images in seconds. - Automated & Scalable: Integrate into any web or mobile app.

👉 View Background Removal Docs

Try also the bulk version: BG Remove App ↗


NSFW & Content Moderation API

Keep your platform safe and compliant: - Blur, Pixelate, or Block harmful images or frames. - Detect adult, violent, or graphic content using advanced AI models.

👉 Content Moderation Docs


👁️‍🗨️ Vision-Language Models (VLMs)

Check out these insights from documents using Vision + NLP via the Vision Platform: - Document understanding with layout awareness - Great for invoices, contracts, ID cards, and more. Featured new Vision API endpoints:

👉 and a whole lot more Explore Vision APIs


📄 Rich PDF Generation API

Create beautiful PDFs at scale:

  • PDFGEN Endpoint: Convert HTML/Markdown to professional PDFs.
  • PDFTOIMG Endpoint: Preview and convert PDFs to image formats, as documented here.

👉 View Rich PDF Generation APIs


🛠️ Online Tools Backed by PixLab APIs

Explore our growing suite of web apps, each powered by PixLab’s infrastructure:


For Developers, Creators, and Businesses

PixLab API version 2 is now production-ready, SDK-free, and tightly integrated, making it ideal for:

  • Fintechs & KYC providers
  • E-commerce & SaaS platforms
  • AI developers & researchers
  • Content creators & automation teams

🔑 Get Your API Key & Start Your Integration Phase

Head to the PixLab Console to:

  • Generate your first API key
  • Integrate with over 150+ endpoints
  • Access complete documentation & live API testing tools

Join thousands of developers and businesses using PixLab to power the next generation of intelligent visual applications.

🧠 Build smarter, automate faster, and scale confidently with PixLab API 2.

The PixLab Team

Introducing the New DOCSCAN API - Vision-Powered, SDK-Free, and Easier Than Ever

The PixLab Development Team is thrilled to announce the release of the next-generation DOCSCAN API, the core engine behind the newly rebranded PixLab ID Scan Platform.

Built from the ground up with Vision Language Models and hosted on the powerful PixLab Vision infrastructure, this update brings unmatched simplicity, security, and intelligence to identity document processing.

🌍 A Platform Re-imagined

Say goodbye to complex SDK integrations. The new DOCSCAN API requires no client-side SDKs, just a single HTTPS-enabled REST endpoint that supports both GET and POST requests. This means you can call DOCSCAN from any programming environment, whether you're using Python, Java, PHP, Go, or even a shell script.

⚡ What's New in This Version?

✅ Powered by Vision Language Models

The new DOCSCAN API harnesses the full power of PixLab’s Vision Language Models to extract structured, high-quality data from scanned documents with increased accuracy and robustness.

✅ No SDK Required

Forget installing SDKs or maintaining device-specific libraries. DOCSCAN is pure REST—simple, fast, and universal.

✅ Single Endpoint Simplicity

Use a single, unified API endpoint for both document scanning and data extraction. No need to juggle multiple APIs or chained requests.

✅ Supports GET & POST

Whether you prefer URL-based GET requests or multipart POST uploads, DOCSCAN supports both with full flexibility.

✅ TLS 1.3 Secured

All API traffic is encrypted end-to-end using TLS 1.3, ensuring maximum security and compliance from the first byte.

🚀 Built for Developers

The updated documentation at pixlab.io/id-scan-api/docscan has been completely restructured to be developer-first. Clear examples, copy-ready code snippets, and real-world integration guides will help you get up and running in minutes.

🧩 Use Cases

  • ID verification in finance, healthcare, or government
  • Digital onboarding for apps and services
  • Automated customer registration flows
  • Global document scanning with consistent output formats

🛠 Start Building Today

Head to the PixLab Console to generate your API key and begin integrating the new DOCSCAN API in minutes.

Whether you're modernizing your on-boarding flow or automating ID verification at scale, the new DOCSCAN API offers unmatched speed, simplicity, and intelligence—without the SDK overhead.

🔗 Learn more: pixlab.io/id-scan-api/
📚 REST API Documentation: pixlab.io/id-scan-api/docscan

🌍 Universal Document Support

The DOCSCAN API provides robust support for a wide array of officially issued identification documents. This includes, but is not limited to:

  • Passports
  • ID Cards (Citizen ID, Resident ID, Immigration Card, etc.)
  • Driving Licenses
  • Visas
  • Birth & Death Certificates

The API covers documents from nearly all UN-recognized countries, offering unparalleled versatility. This release expands the API's capabilities to handle over 11,094 ID document variations originating from more than 197 countries. Below is a list of supported countries by DOCSCAN :

  • Afghanistan
  • Albania
  • Algeria
  • Andorra
  • Angola
  • Antigua and Barbuda
  • Argentina
  • Armenia
  • Australia
  • Austria
  • Azerbaijan
  • Bahamas
  • Bahrain
  • Bangladesh
  • Barbados
  • Belarus
  • Belgium
  • Belize
  • Benin
  • Bhutan
  • Bolivia
  • Bosnia and Herzegovina
  • Botswana
  • Brazil
  • Brunei
  • Bulgaria
  • Burkina Faso
  • Burundi
  • Cabo Verde
  • Cambodia
  • Cameroon
  • Canada
  • Central African Republic
  • Chad
  • Chile
  • China
  • Colombia
  • Comoros
  • Congo (Brazzaville)
  • Congo (Kinshasa)
  • Costa Rica
  • Cote d'Ivoire
  • Croatia
  • Cuba
  • Cyprus
  • Czechia
  • Denmark
  • Djibouti
  • Dominica
  • Dominican Republic
  • Ecuador
  • Egypt
  • El Salvador
  • Equatorial Guinea
  • Eritrea
  • Estonia
  • Eswatini
  • Ethiopia
  • Fiji
  • Finland
  • France
  • Gabon
  • Gambia
  • Georgia
  • Germany
  • Ghana
  • Greece
  • Grenada
  • Guatemala
  • Guinea
  • Guinea-Bissau
  • Guyana
  • Haiti
  • Honduras
  • Hungary
  • Iceland
  • India
  • Indonesia
  • Iran
  • Iraq
  • Ireland
  • Israel
  • Italy
  • Jamaica
  • Japan
  • Jordan
  • Kazakhstan
  • Kenya
  • Kiribati
  • Kuwait
  • Kyrgyzstan
  • Laos
  • Latvia
  • Lebanon
  • Lesotho
  • Liberia
  • Libya
  • Liechtenstein
  • Lithuania
  • Luxembourg
  • Madagascar
  • Malawi
  • Malaysia
  • Maldives
  • Mali
  • Malta
  • Marshall Islands
  • Mauritania
  • Mauritius
  • Mexico
  • Micronesia
  • Moldova
  • Monaco
  • Mongolia
  • Montenegro
  • Morocco
  • Mozambique
  • Myanmar
  • Namibia
  • Nauru
  • Nepal
  • Netherlands
  • New Zealand
  • Nicaragua
  • Niger
  • Nigeria
  • North Korea
  • North Macedonia
  • Norway
  • Oman
  • Pakistan
  • Palau
  • Panama
  • Papua New Guinea
  • Paraguay
  • Peru
  • Philippines
  • Poland
  • Portugal
  • Qatar
  • Romania
  • Russia
  • Rwanda
  • Saint Kitts and Nevis
  • Saint Lucia
  • Saint Vincent and the Grenadines
  • Samoa
  • San Marino
  • Sao Tome and Principe
  • Saudi Arabia
  • Senegal
  • Serbia
  • Seychelles
  • Sierra Leone
  • Singapore
  • Slovakia
  • Slovenia
  • Solomon Islands
  • Somalia
  • South Africa
  • South Korea
  • South Sudan
  • Spain
  • Sri Lanka
  • Sudan
  • Suriname
  • Sweden
  • Switzerland
  • Syria
  • Taiwan
  • Tajikistan
  • Tanzania
  • Thailand
  • Timor-Leste
  • Togo
  • Tonga
  • Trinidad and Tobago
  • Tunisia
  • Turkey
  • Turkmenistan
  • Tuvalu
  • Uganda
  • Ukraine
  • United Arab Emirates
  • United Kingdom
  • United States
  • Uruguay
  • Uzbekistan
  • Vanuatu
  • Vatican City
  • Venezuela
  • Vietnam
  • Yemen
  • Zambia
  • Zimbabwe

New Release: PixLab Bulk Background Removal App for Creators, Marketers & Developers

We’re excited to announce the launch of the PixLab Bulk Background Removal App — a powerful web-based tool built for creators, e-commerce teams, marketers, and developers who need to remove backgrounds from multiple images at once, quickly and effortlessly.

bg remove in action

Try it now at: https://bg-remove.pixlab.io


⚡ What Is It?

The PixLab Bulk Background Removal App is a fast and secure online utility that allows you to upload and process dozens of images in one go. Whether you're preparing product photos, social media content, or working on visual assets for apps, this tool saves hours of manual work by automatically removing image backgrounds with pixel-level accuracy.


🎯 Who Is It For?

This app is ideal for: - Content Creators: Prepare polished assets for thumbnails, posts, and visuals. - E-commerce Teams: Batch process product shots for online stores or catalogs. - Marketing Agencies: Generate clean marketing creatives quickly and consistently. - Developers & Engineers: Integrate background removal into custom workflows via API.


🧰 Key Features

  • Bulk Uploads: Process dozens of images at once — drag and drop your entire folder.
  • Fast & Secure: Optimized for performance with automatic deletion of files after 24 hours.
  • Pixel-Perfect Removal: Automatically detects and removes backgrounds with precision — no need for manual masking.
  • Multiple Format Support: Works with JPG, PNG, WEBP, and other popular image types.
  • Free to Start: Try it instantly, no signup required for basic usage.

🔗 Need Programmatic Integration?

For developers who want to integrate background removal into their applications, PixLab offers a fully documented REST API that supports: - Single image or batch processing - Custom output sizes and formats - Seamless integration with your existing codebase

📘 Explore the Background Removal API: pixlab.io/endpoints/background-remove-api


🖥 Try It Now

Use the app directly in your browser:
Launch Bulk Background Removal App →

Or learn more on the PixLab product page:
https://pixlab.io/bulk-image-background-removal-tool-apis


Whether you're editing a gallery of photos or automating your media pipeline, the new PixLab BG-Remove App brings high-performance image background removal to your fingertips — at scale.

The PixLab Team