๐Ÿš€ DAY 5 OF LAUNCH WEEK: Introducing Socket Firewall Enterprise.Learn more โ†’
Socket
Book a DemoInstallSign in
Socket

SimpleLPR

Package Overview
Dependencies
Maintainers
1
Versions
13
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

SimpleLPR

SimpleLPR License Plate Recognition (LPR/ANPR) library.

pipPyPI
Version
3.5.7
Maintainers
1

SimpleLPR Python

๐Ÿš— High-performance license plate recognition for Python developers. Detect and read vehicle license plates from images and video streams with just a few lines of code.

๐ŸŽฏ Overview

SimpleLPR brings professional-grade license plate recognition to Python. Whether you're building a parking management system, analyzing traffic patterns, or developing security applications, SimpleLPR handles the complexity of plate detection and OCR so you can focus on your application logic.

Built on over 10 years of continuous development and deployed in thousands of production systems worldwide, SimpleLPR delivers reliable performance with a developer-friendly API.

โœจ Key Features

  • ๐Ÿ“Š High Accuracy: 85-95% recognition rate under typical conditions
  • โšก Real-time Processing: Analyze video streams with multi-threaded performance
  • ๐ŸŒ Global Coverage: Support for ~90 countries with region-specific formats
  • ๐Ÿ”„ Video Tracking: Track plates across frames for improved accuracy
  • ๐Ÿ Pythonic API: Native Python interface that feels natural
  • ๐Ÿญ Production Ready: Battle-tested in commercial deployments worldwide

๐Ÿ“‹ What is SimpleLPR?

SimpleLPR is more than just an OCR library - it's a complete license plate recognition system that handles the entire workflow from image acquisition to final text output. The library automatically:

  • Detects license plates in complex scenes
  • Extracts the plate region with precise boundaries
  • Corrects perspective and lighting issues
  • Reads alphanumeric characters with high accuracy
  • Validates results against country-specific formats
  • Tracks plates across video frames for consistency

๐ŸŽฏ Real-World Performance

SimpleLPR achieves industry-leading accuracy under typical conditions:

  • Plate text height of at least 20 pixels
  • Reasonable image quality without severe motion blur
  • Plates in good physical condition
  • Viewing angles within ยฑ30 degrees

The library has been extensively tested in production environments including:

  • ๐Ÿ…ฟ๏ธ Parking facilities with varying lighting conditions
  • ๐Ÿ›ฃ๏ธ Highway toll collection systems processing thousands of vehicles
  • ๐Ÿšช Access control gates with fixed camera positions
  • ๐Ÿ“ฑ Mobile enforcement units with handheld cameras
  • ๐Ÿ“น Traffic monitoring systems with wide-angle views

๐Ÿ’ป Requirements

  • Python: 3.8, 3.9, 3.10, 3.11, or 3.12 (64-bit)
  • OS: Windows x64, Linux x64 (Ubuntu 20.04+)
  • Memory: 2GB RAM minimum, 4GB+ recommended for video
  • License: 60-day trial included, production licenses available

๐Ÿ“ฆ Installation

pip install SimpleLPR

๐Ÿš€ Quick Start

Basic Image Recognition

import simplelpr

# Initialize the engine
setup_params = simplelpr.EngineSetupParms()
engine = simplelpr.SimpleLPR(setup_params)

# Configure for your country (e.g., UK = 90)
engine.set_countryWeight(90, 1.0)
engine.realizeCountryWeights()

# Create a processor
processor = engine.createProcessor()

# Analyze an image
candidates = processor.analyze("car_image.jpg")

# Print results
for candidate in candidates:
    for match in candidate.matches:
        print(f"Plate: {match.text}")
        print(f"Confidence: {match.confidence:.3f}")

๐ŸŒ Country Configuration

SimpleLPR supports approximately 90 countries. Use --list-countries in the demo below to see all options.

Popular countries:

  • ๐Ÿ‡ฆ๐Ÿ‡น Austria: 5
  • ๐Ÿ‡ง๐Ÿ‡ท Brazil: 12
  • ๐Ÿ‡จ๐Ÿ‡ฆ Canada: 16
  • ๐Ÿ‡ซ๐Ÿ‡ท France: 32
  • ๐Ÿ‡ฉ๐Ÿ‡ช Germany: 34
  • ๐Ÿ‡ฎ๐Ÿ‡ณ India: 41
  • ๐Ÿ‡ฎ๐Ÿ‡น Italy: 45
  • ๐Ÿ‡ช๐Ÿ‡ธ Spain: 82
  • ๐Ÿ‡ฌ๐Ÿ‡ง UK: 90

๐ŸŽฌ Complete Video Tracking Demo

This demo shows how to process video files or RTSP streams with real-time plate tracking:

#!/usr/bin/env python3
"""
SimpleLPR Video Tracking Demo

Track license plates across video frames with temporal correlation.
This improves accuracy by reducing transient misreads.

Usage:
    python tracking_demo.py <video_source> <country_id> [product_key]
    python tracking_demo.py --list-countries

Examples:
    python tracking_demo.py traffic.mp4 82
    python tracking_demo.py rtsp://camera:554/stream 90 license.xml
"""

import sys
import os
import argparse
import time
from datetime import datetime
from collections import deque

try:
    import simplelpr
except ImportError:
    print("โŒ Error: SimpleLPR is not installed. Run 'pip install SimpleLPR'")
    sys.exit(1)


def list_supported_countries():
    """Display all supported countries"""
    print("\n๐ŸŒ SimpleLPR - Supported Countries")
    print("="*50)
    
    setup_params = simplelpr.EngineSetupParms()
    engine = simplelpr.SimpleLPR(setup_params)
    
    # Show version
    ver = engine.versionNumber
    print(f"๐Ÿ“Œ Version: {ver.A}.{ver.B}.{ver.C}.{ver.D}\n")
    
    print("ID  : Country")
    print("-"*30)
    for i in range(engine.numSupportedCountries):
        print(f"{i:3d} : {engine.get_countryCode(i)}")
    
    print("\n๐Ÿ’ก Use either the country name or ID as the country_id parameter.")


def configure_country(engine, country_id):
    """Configure engine for specific country"""
    # Disable all countries first
    for i in range(engine.numSupportedCountries):
        engine.set_countryWeight(i, 0.0)
    
    # Try as string first, then as integer
    country_name = None
    if isinstance(country_id, str):
        try:
            engine.set_countryWeight(country_id, 1.0)
            country_name = country_id
        except:
            # Try as integer
            try:
                country_idx = int(country_id)
                if 0 <= country_idx < engine.numSupportedCountries:
                    engine.set_countryWeight(country_idx, 1.0)
                    country_name = engine.get_countryCode(country_idx)
                else:
                    raise ValueError(f"Country ID {country_idx} out of range")
            except ValueError:
                print(f"\nโŒ Error: Invalid country '{country_id}'")
                print("๐Ÿ’ก Run with --list-countries to see valid options")
                sys.exit(1)
    else:
        # Integer country ID
        engine.set_countryWeight(country_id, 1.0)
        country_name = engine.get_countryCode(country_id)
    
    engine.realizeCountryWeights()
    return country_name


def process_tracker_result(tracker_result, track_count):
    """Process and display tracker results"""
    # Process new tracks
    for track in tracker_result.newTracks:
        track_count += 1
        if track.representativeCandidate.matches:
            match = track.representativeCandidate.matches[0]
            print(f"๐Ÿ†• [NEW #{track_count:03d}] {match.text:12} "
                  f"Country: {match.country} "
                  f"Confidence: {match.confidence:.3f} "
                  f"Frame: {track.firstDetectionFrameId}")
    
    # Process closed tracks
    for track in tracker_result.closedTracks:
        if track.representativeCandidate.matches:
            match = track.representativeCandidate.matches[0]
            duration = (track.newestDetectionTimestamp - 
                       track.firstDetectionTimestamp)
            frames = (track.newestDetectionFrameId - 
                     track.firstDetectionFrameId + 1)
            print(f"โœ… [CLOSED] {match.text:12} "
                  f"Duration: {duration:.1f}s ({frames} frames)")
    
    return track_count


def process_pending_results(proc_pool, tracker, frame_queue, track_count):
    """Process all pending results from the pool"""
    while True:
        result = proc_pool.pollNextResult(0, simplelpr.TIMEOUT_IMMEDIATE)
        if result is None:
            break
        
        if frame_queue:
            orig_frame = frame_queue.popleft()
            tracker_result = tracker.processFrameCandidates(
                result, orig_frame
            )
            track_count = process_tracker_result(tracker_result, track_count)
    
    return track_count


def process_video(video_path, country_id, product_key=None):
    """Main video processing function"""
    
    print("\n๐Ÿš— SimpleLPR Video Tracking Demo")
    print("="*50)
    
    # Initialize engine
    setup_params = simplelpr.EngineSetupParms()
    setup_params.maxConcurrentImageProcessingOps = 0   # Let the ANPR engine decide
    
    engine = simplelpr.SimpleLPR(setup_params)
    
    # Show version
    ver = engine.versionNumber
    print(f"๐Ÿ“Œ Version: {ver.A}.{ver.B}.{ver.C}.{ver.D}")
    
    # Load product key if provided
    if product_key:
        try:
            engine.set_productKey(product_key)
            print("๐Ÿ”‘ Product key loaded")
        except:
            print("โš ๏ธ  Warning: Failed to load product key")
    else:
        print("๐Ÿ”“ Running in evaluation mode")
    
    # Configure country
    country_name = configure_country(engine, country_id)
    print(f"๐ŸŒ Country: {country_name}")
    
    # Create processor pool
    proc_pool = engine.createProcessorPool(3) # 3 processors in the pool
    proc_pool.plateRegionDetectionEnabled = True
    
    # Create tracker
    tracker_params = simplelpr.PlateCandidateTrackerSetupParms()
    tracker = engine.createPlateCandidateTracker(tracker_params)
    print(f"๐Ÿ”„ Tracker: {tracker_params.minTriggerFrameCount} min frames, "
          f"{tracker_params.maxIdleTimeInSec}s max idle")
    
    # Open video
    print(f"\n๐Ÿ“น Opening: {video_path}")
    video = engine.openVideoSource(
        video_path,
        simplelpr.FrameFormat.FRAME_FORMAT_BGR24,
        1920, 1080  # Max resolution
    )
    
    if video.state != simplelpr.VideoSourceState.VIDEO_SOURCE_STATE_OPEN:
        print(f"โŒ Error: Failed to open video (state: {video.state})")
        sys.exit(1)
    
    print(f"๐Ÿ“ก Type: {'Live stream' if video.isLiveSource else 'Video file'}")
    print("\nโ–ถ๏ธ  Processing... Press Ctrl+C to stop\n")
    
    # Processing variables
    frame_queue = deque()
    frame_count = 0
    track_count = 0
    start_time = time.time()
    
    try:
        # Main processing loop
        while True:
            # Get next frame
            frame = video.nextFrame()
            if frame is None:
                if video.isLiveSource:
                    print("๐Ÿ”„ Stream interrupted, reconnecting...")
                    video.reconnect()
                    time.sleep(0.1)
                    continue
                else:
                    break  # End of file
            
            frame_count += 1
            frame_queue.append(frame)
            
            # Submit for processing
            success = proc_pool.launchAnalyze(
                0,  # Stream ID
                frame.sequenceNumber,
                simplelpr.TIMEOUT_INFINITE,
                frame
            )
            
            if not success:
                frame_queue.pop()
                continue
            
            # Process all available results
            track_count = process_pending_results(
                proc_pool, tracker, frame_queue, track_count
            )
            
            # Progress update
            if frame_count % 100 == 0:
                elapsed = time.time() - start_time
                fps = frame_count / elapsed
                print(f"๐Ÿ“Š [Progress] {frame_count} frames @ {fps:.1f} fps")
        
        # Process remaining results
        print("\nโณ Finalizing...")
        while proc_pool.ongoingRequestCount_get(0) > 0:
            result = proc_pool.pollNextResult(0, 100)  # 100ms timeout
            if result and frame_queue:
                orig_frame = frame_queue.popleft()
                tracker_result = tracker.processFrameCandidates(
                    result, orig_frame
                )
                track_count = process_tracker_result(tracker_result, track_count)
        
        # Final tracker flush
        final_result = tracker.flush()
        for track in final_result.closedTracks:
            if track.representativeCandidate.matches:
                match = track.representativeCandidate.matches[0]
                print(f"๐Ÿ“ [FINAL] {match.text}")
        
    except KeyboardInterrupt:
        print("\n\nโš ๏ธ  Stopped by user")
    
    # Statistics
    elapsed = time.time() - start_time
    print(f"\n{'='*50}")
    print(f"โœ… Processing Complete!")
    print(f"๐Ÿ“Š Frames processed: {frame_count:,}")
    print(f"๐Ÿš— Plates tracked: {track_count}")
    print(f"โฑ๏ธ  Processing time: {elapsed:.1f}s")
    print(f"โšก Average speed: {frame_count/elapsed:.1f} fps")


def main():
    parser = argparse.ArgumentParser(
        description="SimpleLPR Video Tracking Demo",
        formatter_class=argparse.RawDescriptionHelpFormatter,
        epilog="""
๐Ÿ“ Examples:
  %(prog)s traffic.mp4 82              # Spain
  %(prog)s video.avi France            # Using country name
  %(prog)s rtsp://camera:554 90 key.xml  # UK with license

๐Ÿ’ก Tips:
  - Use --list-countries to see all supported regions
  - Country can be specified by name or ID number
  - RTSP streams will reconnect automatically
        """
    )
    
    parser.add_argument("video_source", nargs='?',
                        help="Video file path or RTSP stream URL")
    parser.add_argument("country_id", nargs='?',
                        help="Country name (e.g., 'Spain') or ID (0-102)")
    parser.add_argument("product_key", nargs='?',
                        help="License key file path (optional)")
    parser.add_argument("--list-countries", action="store_true",
                        help="Show all supported countries and exit")
    
    args = parser.parse_args()
    
    if args.list_countries:
        list_supported_countries()
        return
    
    if not args.video_source or not args.country_id:
        parser.print_help()
        print("\n๐Ÿ’ก Tip: Use --list-countries to see supported regions")
        sys.exit(1)
    
    # Process video
    process_video(args.video_source, args.country_id, args.product_key)


if __name__ == "__main__":
    main()

๐Ÿ”ง Key Concepts

๐Ÿ”„ Processor Pools

Enable concurrent processing of multiple frames for better throughput:

pool = engine.createProcessorPool(3)  # 3 parallel processors
pool.plateRegionDetectionEnabled = True  # Better accuracy

๐ŸŽฏ Plate Tracking

The tracker correlates detections across frames, eliminating transient misreads:

tracker_params = simplelpr.PlateCandidateTrackerSetupParms()
tracker_params.minTriggerFrameCount = 3  # Frames needed to confirm
tracker_params.maxIdleTimeInSec = 2.0    # Time before closing track
tracker = engine.createPlateCandidateTracker(tracker_params)

๐Ÿ“น Video Sources

SimpleLPR handles both files and live streams transparently:

# Video file
video = engine.openVideoSource("traffic.mp4", ...)

# RTSP stream
video = engine.openVideoSource("rtsp://camera:554/stream", ...)

# Auto-reconnect for streams
if video.isLiveSource:
    video.reconnect()

๐Ÿ—๏ธ Architecture

SimpleLPR employs a multi-stage processing pipeline:

  • ๐Ÿ–ผ๏ธ Image Preprocessing: Noise reduction, contrast enhancement
  • ๐Ÿ” Plate Detection: Locate potential plate regions
  • ๐Ÿ“ Perspective Correction: Transform skewed plates to frontal view
  • โœ‚๏ธ Character Segmentation: Identify individual character boundaries
  • ๐Ÿ”ค OCR Recognition: Classify characters using specialized neural networks
  • โœ… Format Validation: Match against country-specific templates
  • ๐Ÿ”„ Tracking: Correlate detections across frames for consistency

๐Ÿ’ก Common Use Cases

๐Ÿ…ฟ๏ธ Parking Management

  • Entry/exit gate control
  • Space occupancy monitoring
  • Permit verification
  • Duration tracking

๐Ÿ›ฃ๏ธ Toll Collection

  • High-speed highway processing
  • Multi-lane free-flow systems
  • Violation enforcement

๐Ÿšจ Security & Access Control

  • Gated community entry
  • Corporate campus security
  • VIP list verification
  • Visitor management

๐Ÿ“Š Analytics & Smart City

  • Traffic flow analysis
  • Journey time calculation
  • Congestion monitoring
  • Environmental zone enforcement

๐Ÿ“š Documentation

  • ๐Ÿ“– User Guide - Complete documentation
  • ๐Ÿ Python API Reference - Detailed API docs
  • ๐Ÿš€ Python Quick Start - Get started fast
  • ๐Ÿ’ป GitHub Examples - More sample code

๐Ÿค Support

๐Ÿ“„ License

SimpleLPR is commercial software with a 60-day evaluation period. Production licenses include:

  • โœ… One-time payment - no recurring fees
  • โœ… Unlimited deployments
  • โœ… Royalty-free redistribution
  • โœ… 1 year of updates and support

Contact support@warelogic.com for pricing.

๐Ÿš— SimpleLPR - Professional license plate recognition for Python developers

Keywords

LPR

FAQs

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts