Skip to main content

A flexible synthetic data generation service

Project description

GlassGen


GlassGen is a flexible synthetic data generation service that can generate data based on user-defined schemas and send it to various destinations.

Features

  • Generate synthetic data based on custom schemas
  • Multiple output formats (CSV, Kafka, Webhook)
  • Configurable generation rate
  • Extensible sink architecture
  • CLI and Python SDK interfaces

Installation

pip install glassgen

Local Development Installation

  1. Clone the repository:
git clone https://github.com/glassflow/glassgen.git
cd glassgen
  1. Create and activate a virtual environment:
python -m venv venv
source venv/bin/activate  # On Windows use: venv\Scripts\activate
  1. Install the package in development mode:
pip install -e .
  1. Install development dependencies:
pip install -r requirements-dev.txt

Usage

Basic Usage

import glassgen
import json

# Load configuration from file
with open("config.json") as f:
    config = json.load(f)

# Start the generator
glassgen.generate(config=config)

Configuration File Format

{
    "schema": {
        "field1": "$generator_type",
        "field2": "$generator_type(param1, param2)"
    },
    "sink": {
        "type": "csv|kafka|webhook|yield",
        "params": {
            // sink-specific parameters
        }
    },
    "generator": {
        "rps": 1000,  // records per second
        "num_records": 5000  // total number of records to generate
    }
}

Supported Sinks

GlassGen supports multiple sink types for different output destinations:

  • CSV Sink - Write data to CSV files
  • Kafka Sink - Send data to Kafka topics (supports both Confluent Cloud and Aiven)
  • Webhook Sink - Send data to HTTP endpoints
  • Yield Sink - Get data as an iterator in Python
  • Custom Sink - Create your own sink implementation

CSV Sink

{
    "sink": {
        "type": "csv",
        "params": {
            "path": "output.csv"
        }
    }
}

WebHook Sink

{
    "sink": {
        "type": "webhook",
        "params": {
            "url": "https://your-webhook-url.com",
            "headers": {
                "Authorization": "Bearer your-token",
                "Custom-Header": "value"
            },
            "timeout": 30  // optional, defaults to 30 seconds
        }
    }
}

Kafka Sink

The Kafka sink uses the confluent_kafka Python package to connect to any Kafka cluster. It accepts all configuration parameters supported by the package:

{
    "sink": {
        "type": "kafka",
        "params": {
            "bootstrap.servers": "your-kafka-bootstrap-server",
            "topic": "topic_name",
            "security.protocol": "SASL_SSL",  // optional
            "sasl.mechanism": "PLAIN",        // optional
            "sasl.username": "your-api-key",  // optional
            "sasl.password": "your-api-secret" // optional
        }
    }
}

The minimum required parameters are bootstrap.servers and topic. Any additional configuration parameters supported by the confluent_kafka package can be added to the params object.

Yield Sink

Yield sink returns an iterator for the generated events

{
    "sink" : {
        "type": "yield"
    }
}

Usage

config = {
    "schema": {
        "name": "$name",        
        "email": "$email"
    },
    "sink": {
        "type": "yield"
    },
    "generator": {
        "rps": 100,
        "num_records": 1000
    }
}  

import glassgen
gen = glassgen.generate(config=config)
for item in gen:
    print(item)

Custom Sink

You can create your own sink by extending the BaseSink class:

from glassgen import generate
from glassgen.sinks import BaseSink
from typing import List

class PrintSink(BaseSink):
    def publish(self, data: str):
        print(data)
    
    def publish_bulk(self, data: List[str]):
        for d in data:
            self.publish(d)
    
    def close(self):
        pass

# Use your custom sink
config = {
    "schema": {
        "name": "$name",
        "email": "$email",
        "country": "$country",
        "id": "$uuid",        
    },    
    "generator": {
        "rps": 10,
        "num_records": 1000        
    }
}
generate(config, sink=PrintSink())

Supported Schema Generators

Basic Types

  • $string: Random string
  • $int: Random integer
  • $intrange(min,max): Random integer within specified range (e.g., $intrange(1,100) for numbers between 1 and 100)
  • $choice(value1,value2,...): Randomly picks one value from the provided list (e.g., $choice(red,blue,green) or $choice(1,2,3,4,5))
  • $datetime(format): Current timestamp in specified format (e.g., $datetime(%Y-%m-%d %H:%M:%S)). Default format is ISO format (e.g., "2024-03-15T14:30:45.123456")
  • $timestamp: Current Unix timestamp in seconds since epoch (e.g., 1710503445)
  • $boolean: Random boolean value
  • $uuid: Random UUID
  • $uuid4: Random UUID4
  • $float: Random floating point number
  • $price: Random price value with 2 decimal places (e.g., 99.99). Can specify custom range and decimal places: $price(1.2, 2.3, 3)

Personal Information

  • $name: Random full name
  • $email: Random email address
  • $company_email: Random company email
  • $user_name: Random username
  • $password: Random password
  • $phone_number: Random phone number
  • $ssn: Random Social Security Number

Location

  • $country: Random country name
  • $city: Random city name
  • $address: Random street address
  • $zipcode: Random zip code

Business

  • $company: Random company name
  • $job: Random job title
  • $url: Random URL

Other

  • $text: Random text paragraph
  • $ipv4: Random IPv4 address
  • $currency_name: Random currency name
  • $color_name: Random color name

Pre Defined Schema

You can use of of the pre-defined schema:

import glassgen
from glassgen.schema.user_schema import UserSchema

config = {
    "sink": {
        "type": "csv",
        "params": {
            "path": "output.csv"
        }
    },
    "generator": {
        "rps": 50,
        "num_records": 100
    }
}
# use the pre-defined UserSchema
glassgen.generate(config=config, schema=UserSchema())

Example Configuration

{
    "schema": {
        "name": "$name",
        "email": "$email",
        "country": "$country",
        "id": "$uuid",
        "address": "$address",
        "phone": "$phone_number",
        "job": "$job",
        "company": "$company"
    },
    "sink": {
        "type": "webhook",
        "params": {
            "url": "https://api.example.com/webhook",
            "headers": {
                "Authorization": "Bearer your-token"
            }
        }
    },
    "generator": {
        "rps": 1500,
        "num_records": 5000,
        "event_options": {
            "duplication": {
                "enabled": true,
                "ratio": 0.1,
                "key_field": "email",
                "time_window": "1h"
            }
        }
    }
}

Event Options

Duplication

GlassGen supports controlled event duplication to simulate real-world scenarios where the same event might be processed multiple times.

"event_options": {
    "duplication": {
        "enabled": true,        // Enable/disable duplication
        "ratio": 0.1,          // Target ratio of duplicates (0.0 to 1.0)
        "key_field": "email",  // Field to use for duplicate detection
        "time_window": "1h"    // Time window for duplicate detection
    }
}
  • enabled: Boolean to turn duplication on/off
  • ratio: Decimal value (0.0 to 1.0) representing the percentage of events that should be duplicates
  • key_field: Field name from the schema to use for identifying duplicates
  • time_window: String representing the time window for duplicate detection (e.g., "1h" for 1 hour, "30m" for 30 minutes)

The duplication feature:

  • Maintains the specified ratio across all generated events
  • Only considers events within the configured time window for duplication
  • Uses the specified key_field to identify potential duplicates
  • Ensures memory efficiency by automatically cleaning up old events

Creating a New Release

To create a new release:

  1. Make sure you have the release script installed:
pip install -e .
  1. Run the release script with the new version:
./scripts/release.py release 0.1.1

This will:

  • Update the version in pyproject.toml
  • Create a git tag
  • Push the changes
  • Trigger the GitHub Actions workflow to:
    • Build the package
    • Publish to PyPI
    • Create a GitHub release

The version must follow semantic versioning (X.Y.Z format).

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

glassgen-0.2.4.tar.gz (18.2 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

glassgen-0.2.4-py3-none-any.whl (22.0 kB view details)

Uploaded Python 3

File details

Details for the file glassgen-0.2.4.tar.gz.

File metadata

  • Download URL: glassgen-0.2.4.tar.gz
  • Upload date:
  • Size: 18.2 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.9.25

File hashes

Hashes for glassgen-0.2.4.tar.gz
Algorithm Hash digest
SHA256 a7b79f92037884ecf8dc5e90a184340acb5299beb37c6713d73c3c4b8979c844
MD5 903a52c16bea307fd30f3b4ab806f08c
BLAKE2b-256 e494f166aaca19530739e615a8d62c60978355f262a89928cb9fe97e0ad5bccf

See more details on using hashes here.

File details

Details for the file glassgen-0.2.4-py3-none-any.whl.

File metadata

  • Download URL: glassgen-0.2.4-py3-none-any.whl
  • Upload date:
  • Size: 22.0 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.9.25

File hashes

Hashes for glassgen-0.2.4-py3-none-any.whl
Algorithm Hash digest
SHA256 95b15be728b6558d6b09bcd05aeed099775a9f6802392480c7f71783610478fe
MD5 413541d34b615834ebd84e1544c0df4a
BLAKE2b-256 c51e4a70830b4ed791cd24235208c922c30554315d7967c4a4cba33cc92f23a7

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page