Python bindings for Boxlite runtime
Project description
BoxLite Python SDK
Python bindings for BoxLite - an embeddable virtual machine runtime for secure, isolated code execution.
Overview
The BoxLite Python SDK provides a Pythonic API for creating and managing isolated execution environments. Built with PyO3, it wraps the Rust BoxLite runtime with async-first Python bindings.
Python: 3.10+ Platforms: macOS (Apple Silicon), Linux (x86_64, ARM64)
Key Features
- Async-first API - All I/O operations use async/await
- Context managers - Automatic cleanup with
async with - Streaming I/O - Real-time stdout/stderr as execution happens
- Multiple box types - SimpleBox, CodeBox, BrowserBox, ComputerBox, InteractiveBox
- Resource control - Configure CPUs, memory, volumes, ports
- OCI compatible - Use any Docker/OCI image
Installation
pip install boxlite
Requires Python 3.10 or later.
Verify Installation
import boxlite
print(boxlite.__version__) # Prints installed package version
System Requirements
| Platform | Architecture | Requirements |
|---|---|---|
| macOS | Apple Silicon | macOS 12+ |
| Linux | x86_64, ARM64 | KVM enabled (/dev/kvm accessible) |
On Linux, verify KVM is available:
grep -E 'vmx|svm' /proc/cpuinfo # Should show CPU virtualization support
ls -l /dev/kvm # Should exist and be accessible
Quick Start
Basic Execution
import asyncio
import boxlite
async def main():
# Create a box and run a command
async with boxlite.SimpleBox(image="python:slim") as box:
result = await box.exec("python", "-c", "print('Hello from BoxLite!')")
print(result.stdout)
# Output: Hello from BoxLite!
asyncio.run(main())
Code Execution (AI Agents)
import asyncio
import boxlite
async def main():
# Execute untrusted Python code safely
code = """
import requests
response = requests.get('https://api.github.com/zen')
print(response.text)
"""
async with boxlite.CodeBox() as codebox:
# CodeBox automatically installs packages
result = await codebox.run(code)
print(result)
asyncio.run(main())
Core API Reference
Runtime Management
boxlite.Boxlite
The main runtime for creating and managing boxes.
Methods:
-
Boxlite.default() -> BoxliteCreate runtime with default settings (~/.boxlite) -
Boxlite(options: Options) -> BoxliteCreate runtime with custom options -
create(box_options: BoxOptions) -> BoxCreate a new box with specified configuration -
get(box_id: str) -> BoxReattach to an existing box by ID -
list() -> List[BoxInfo]List all boxes (running and stopped) -
metrics() -> RuntimeMetricsGet runtime-wide metrics
Example:
# Default runtime
runtime = boxlite.Boxlite.default()
# Custom runtime with different home directory
runtime = boxlite.Boxlite(boxlite.Options(home_dir="/custom/path"))
# Create a box
box = runtime.create(boxlite.BoxOptions(image="alpine:latest"))
# Reattach to existing box
box = runtime.get("01JJNH8...")
# List all boxes
boxes = runtime.list()
for info in boxes:
print(f"{info.id}: {info.status}")
Box Configuration
boxlite.BoxOptions
Configuration options for creating a box.
Parameters:
image: str- OCI image URI (default:"python:slim")cpus: int- Number of CPUs (default: 1, max: host CPU count)memory_mib: int- Memory in MiB (default: 512, range: 128-65536)disk_size_gb: int | None- Persistent disk size in GB (default: None)working_dir: str- Working directory in container (default:"/root")env: List[Tuple[str, str]]- Environment variables as (key, value) pairsvolumes: List[Tuple[str, str, str]]- Volume mounts as (host_path, guest_path, mode)- Mode:
"ro"(read-only) or"rw"(read-write)
- Mode:
ports: List[Tuple[int, int, str]]- Port forwarding as (host_port, guest_port, protocol)- Protocol:
"tcp"or"udp"
- Protocol:
auto_remove: bool- Auto cleanup after stop (default: True)
Example:
options = boxlite.BoxOptions(
image="postgres:latest",
cpus=2,
memory_mib=1024,
disk_size_gb=10, # 10 GB persistent disk
env=[
("POSTGRES_PASSWORD", "secret"),
("POSTGRES_DB", "mydb"),
],
volumes=[
("/host/data", "/mnt/data", "ro"), # Read-only mount
],
ports=[
(5432, 5432, "tcp"), # PostgreSQL
],
)
box = runtime.create(options)
Box Handle
boxlite.Box
Handle to a running or stopped box.
Properties:
id: str- Unique box identifier (ULID format)
Methods:
-
exec(*args, **kwargs) -> ExecutionExecute a command in the box (async) -
stop() -> NoneStop the box gracefully (async) -
remove() -> NoneDelete the box and its data (async) -
info() -> BoxInfoGet box metadata (async) -
metrics() -> BoxMetricsGet box resource usage metrics (async)
Example:
box = runtime.create(boxlite.BoxOptions(image="alpine:latest"))
# Execute commands
execution = await box.exec("echo", "Hello")
result = await execution.wait()
# Get box info
info = await box.info()
print(f"Box {info.id}: {info.status}")
# Stop and remove
await box.stop()
await box.remove()
Command Execution
boxlite.Execution
Represents a running command execution.
Methods:
-
stdout() -> ExecStdoutGet stdout stream (async iterator) -
stderr() -> ExecStderrGet stderr stream (async iterator) -
stdin() -> ExecStdinGet stdin writer -
wait() -> ExecResultWait for command to complete and get result (async) -
kill(signal: int = 9) -> NoneSend signal to process (async) -
resize_tty(rows: int, cols: int) -> NoneResize PTY terminal window (async). Only works with TTY-enabled executions.
Example:
# Streaming output
execution = await box.exec("python", "-c", "for i in range(5): print(i)")
stdout = execution.stdout()
async for line in stdout:
print(f"Output: {line}")
# Wait for completion
result = await execution.wait()
print(f"Exit code: {result.exit_code}")
boxlite.ExecStdout / boxlite.ExecStderr
Async iterators for streaming output.
Usage:
execution = await box.exec("ls", "-la")
# Stream stdout line by line
stdout = execution.stdout()
async for line in stdout:
print(line)
# Stream stderr
stderr = execution.stderr()
async for line in stderr:
print(f"Error: {line}", file=sys.stderr)
Higher-Level APIs
boxlite.SimpleBox
Context manager for basic execution with automatic cleanup.
Parameters: Same as BoxOptions
Methods:
exec(cmd, *args, env=None, user=None, timeout=None, cwd=None) -> ExecResultExecute command and wait for resultenv: Dict of environment variables (e.g.,{"FOO": "bar"})user: Run as user (format:nameoruid:gid, likedocker exec --user)timeout: Timeout in seconds (default: no timeout)cwd: Working directory inside the container
Example:
async with boxlite.SimpleBox(image="python:slim") as box:
result = await box.exec("python", "-c", "print('Hello')")
print(result.stdout) # "Hello\n"
print(result.exit_code) # 0
# Run in a specific directory as a specific user
result = await box.exec("pwd", cwd="/tmp", user="nobody")
print(result.stdout) # "/tmp\n"
# With a timeout
result = await box.exec("sleep", "60", timeout=5)
boxlite.CodeBox
Specialized box for Python code execution with package management.
Methods:
-
run(code: str) -> strExecute Python code and return output -
install_package(package: str) -> NoneInstall a Python package with pip
Example:
async with boxlite.CodeBox() as codebox:
# Install packages
await codebox.install_package("requests")
# Run code
result = await codebox.run("""
import requests
print(requests.get('https://api.github.com/zen').text)
""")
print(result)
boxlite.BrowserBox
Box configured for browser automation (Chromium, Firefox, WebKit).
Example:
async with boxlite.BrowserBox() as browser:
endpoint = browser.endpoint()
print(f"Connect Puppeteer to: {endpoint}")
# Use with Puppeteer/Playwright for browser automation
boxlite.ComputerBox
Box with desktop automation capabilities (mouse, keyboard, screenshots).
Methods:
14 desktop interaction functions including:
screenshot() -> bytes- Capture screenleft_click()- Click mousetype_text(text: str)- Type textget_screen_size() -> Tuple[int, int]- Get screen dimensions
Example:
async with boxlite.ComputerBox() as computer:
# Get screen size
width, height = await computer.get_screen_size()
# Take screenshot
screenshot_bytes = await computer.screenshot()
# Mouse and keyboard
await computer.left_click()
await computer.type_text("Hello, world!")
boxlite.InteractiveBox
Box for interactive shell sessions.
Example:
async with boxlite.InteractiveBox(image="alpine:latest") as itbox:
# Drop into interactive shell
await itbox.wait()
API Patterns
Async/Await
All I/O operations are async. Use await for operations and async for for streams.
# Create and use box (async)
async with boxlite.SimpleBox(image="alpine") as box:
result = await box.exec("echo", "Hello")
# Stream output (async iterator)
execution = await box.exec("python", "script.py")
async for line in execution.stdout():
print(line)
Context Managers
Use async with for automatic cleanup:
# SimpleBox - auto cleanup
async with boxlite.SimpleBox() as box:
result = await box.exec("command")
# Box automatically stopped and removed
# Manual cleanup (if not using context manager)
box = runtime.create(boxlite.BoxOptions(image="alpine"))
try:
await box.exec("command")
finally:
await box.stop()
await box.remove()
Streaming I/O
Stream output line-by-line as it's produced:
execution = await box.exec("tail", "-f", "/var/log/app.log")
# Process output in real-time
stdout = execution.stdout()
async for line in stdout:
if "ERROR" in line:
print(f"Alert: {line}")
Error Handling
Catch exceptions from BoxLite operations:
import boxlite
from boxlite import BoxliteError, ExecError
try:
async with boxlite.SimpleBox(image="invalid:image") as box:
result = await box.exec("command")
except BoxliteError as e:
print(f"BoxLite error: {e}")
except ExecError as e:
print(f"Execution error: {e}")
Configuration Reference
Image Selection
Any OCI-compatible image from Docker Hub, GHCR, ECR, or other registries:
# Docker Hub (default registry)
boxlite.BoxOptions(image="python:3.11-slim")
boxlite.BoxOptions(image="alpine:latest")
boxlite.BoxOptions(image="ubuntu:22.04")
# GitHub Container Registry
boxlite.BoxOptions(image="ghcr.io/owner/repo:tag")
# Amazon ECR
boxlite.BoxOptions(image="123456.dkr.ecr.us-east-1.amazonaws.com/repo:tag")
Resource Limits
boxlite.BoxOptions(
cpus=4, # 4 CPU cores
memory_mib=2048, # 2 GB RAM
)
Environment Variables
boxlite.BoxOptions(
env=[
("DATABASE_URL", "postgresql://localhost/db"),
("API_KEY", "secret"),
("DEBUG", "true"),
]
)
Volume Mounts
boxlite.BoxOptions(
volumes=[
# Read-only mount
("/host/config", "/etc/app/config", "ro"),
# Read-write mount
("/host/data", "/mnt/data", "rw"),
]
)
Port Forwarding
boxlite.BoxOptions(
ports=[
(8080, 80, "tcp"), # HTTP
(8443, 443, "tcp"), # HTTPS
(5432, 5432, "tcp"), # PostgreSQL
(53, 53, "udp"), # DNS
]
)
Persistent Storage
# Ephemeral (default) - data lost on box removal
boxlite.BoxOptions(image="postgres")
# Persistent - data survives stop/restart via QCOW2 disk
boxlite.BoxOptions(
image="postgres",
disk_size_gb=20, # 20 GB persistent disk
)
Examples Gallery
The examples/python/ directory contains categorized examples:
1. run_simplebox.py - Foundation Patterns
Demonstrates core BoxLite features:
- Basic command execution with results
- Separate stdout/stderr handling
- Environment variables and working directory
- Error handling and exit codes
- Multiple commands in same box
- Data processing pipeline
2. run_codebox.py - AI Code Execution
Secure Python code execution for AI agents:
- Basic code execution
- Dynamic package installation
- Data processing (AI agent use case)
- Isolation demonstration
3. automate_with_playwright.py - Browser Automation
Browser automation with Playwright:
- Basic Chromium setup
- Custom browser configurations (Firefox, WebKit)
- Cross-browser testing patterns
- Integration examples
4. automate_desktop.py - Desktop Automation
Desktop interaction for agent workflows:
- 14 desktop functions (mouse, keyboard, screenshots)
- Screen size detection
- Workflow automation
- GUI interaction patterns
5. manage_lifecycle.py - Box Lifecycle Management
Managing box state:
- Stop and restart operations
- State persistence
- Data persistence verification
- Resource cleanup
6. list_boxes.py - Runtime Introspection
Enumerate and inspect boxes:
- List all boxes with status
- Display box metadata (ID, name, state, resources)
- Filter by status
7. share_across_processes.py - Multi-Process Operations
Cross-process box management:
- Reattach to running boxes from different processes
- Restart stopped boxes
- Multi-process runtime handling
8. run_interactive_shell.py - Interactive Shells
Direct shell access:
- Interactive terminal sessions
- Terminal mode handling
- Simple container experience
9. use_native_api.py - Low-Level API
Using the Rust API directly from Python:
- Default and custom runtime initialization
- Resource limits (CPU, memory, volumes, ports)
- Box information retrieval
- Streaming execution
Metrics & Monitoring
Runtime Metrics
Get aggregate metrics across all boxes:
runtime = boxlite.Boxlite.default()
metrics = runtime.metrics()
print(f"Boxes created: {metrics.boxes_created}")
print(f"Boxes destroyed: {metrics.boxes_destroyed}")
print(f"Total exec calls: {metrics.total_exec_calls}")
RuntimeMetrics Fields:
boxes_created: int- Total boxes createdboxes_destroyed: int- Total boxes destroyedtotal_exec_calls: int- Total command executionsactive_boxes: int- Currently running boxes
Box Metrics
Get per-box resource usage:
box = runtime.create(boxlite.BoxOptions(image="alpine"))
metrics = await box.metrics()
print(f"CPU time: {metrics.cpu_time_ms}ms")
print(f"Memory: {metrics.memory_usage_bytes / (1024**2):.2f} MB")
print(f"Network sent: {metrics.network_bytes_sent}")
print(f"Network received: {metrics.network_bytes_received}")
BoxMetrics Fields:
cpu_time_ms: int- Total CPU time in millisecondsmemory_usage_bytes: int- Current memory usagenetwork_bytes_sent: int- Total bytes sentnetwork_bytes_received: int- Total bytes received
Error Handling
Exception Types
from boxlite import BoxliteError, ExecError, TimeoutError, ParseError
BoxliteError - Base exception for all BoxLite errors
ExecError - Command execution failed
TimeoutError - Operation timed out
ParseError - Failed to parse output
Common Error Patterns
import boxlite
async def safe_execution():
try:
async with boxlite.SimpleBox(image="python:slim") as box:
result = await box.exec("python", "script.py")
# Check exit code
if result.exit_code != 0:
print(f"Command failed: {result.stderr}")
except boxlite.BoxliteError as e:
# Handle BoxLite-specific errors
print(f"BoxLite error: {e}")
except Exception as e:
# Handle other errors
print(f"Unexpected error: {e}")
Troubleshooting
Installation Issues
Problem: pip install boxlite fails
Solutions:
- Ensure Python 3.10+:
python --version - Update pip:
pip install --upgrade pip - Check platform support (macOS ARM64, Linux x86_64/ARM64 only)
Runtime Errors
Problem: "KVM not available" error on Linux
Solutions:
# Check if KVM is loaded
lsmod | grep kvm
# Check if /dev/kvm exists
ls -l /dev/kvm
# Add user to kvm group (may require logout/login)
sudo usermod -aG kvm $USER
Problem: "Hypervisor.framework not available" on macOS
Solutions:
- Ensure macOS 12+ (Monterey or later)
- Verify Apple Silicon (ARM64) - Intel Macs not supported
- Check System Settings → Privacy & Security → Developer Tools
Image Pull Failures
Problem: "Failed to pull image" error
Solutions:
- Check internet connectivity
- Verify image name and tag exist:
docker pull <image> - For private images, authenticate with registry first
Performance Issues
Problem: Box is slow or unresponsive
Solutions:
# Increase resource limits
boxlite.BoxOptions(
cpus=4, # More CPUs
memory_mib=4096, # More memory
)
# Check metrics
metrics = await box.metrics()
print(f"Memory usage: {metrics.memory_usage_bytes / (1024**2):.2f} MB")
print(f"CPU time: {metrics.cpu_time_ms}ms")
Debug Logging
Enable debug logging to troubleshoot issues:
# Set RUST_LOG environment variable
RUST_LOG=debug python script.py
Log levels: trace, debug, info, warn, error
Contributing
We welcome contributions to the Python SDK!
Development Setup
# Clone repository
git clone https://github.com/boxlite-labs/boxlite.git
cd boxlite
# Initialize submodules
git submodule update --init --recursive
# Build Python SDK in development mode
make dev:python
Running Tests
# Install dev dependencies
pip install -e ".[dev]"
# Run tests
python -m pytest sdks/python/tests/
Building Wheels
# Build portable wheel
make dist:python
Further Documentation
- BoxLite Main README - Project overview
- Architecture Documentation - How BoxLite works
- Getting Started Guide - Installation and setup
- How-to Guides - Practical guides
- API Reference - Complete API documentation
License
Licensed under the Apache License, Version 2.0. See LICENSE for details.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distributions
Built Distributions
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file boxlite-0.8.2-cp314-cp314t-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314t-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.14t, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
16249ec7471652326118a38862c550170cba0c5f9a896f5a06958f7cc9a6022a
|
|
| MD5 |
4f63a5dbd66abc073aa3e17368a68359
|
|
| BLAKE2b-256 |
51c5bc327b2a3ea18e173cd81eafb5e9db84c40a558e4e5513b7f4b946a16f5f
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314t-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314t-manylinux_2_28_x86_64.whl -
Subject digest:
16249ec7471652326118a38862c550170cba0c5f9a896f5a06958f7cc9a6022a - Sigstore transparency entry: 1215808965
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp314-cp314t-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314t-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.14t, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
d631a8a0ae60e16aa626d8f0562adb0fae4779847be1f9aebcc14076e19813b2
|
|
| MD5 |
f12869e8ac1497c6b190c3c82f7f6e61
|
|
| BLAKE2b-256 |
a12f8295cbf15e5f6fa013760d7bc1128b7106ee40aa4da4076a42fe1690e8f4
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314t-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314t-manylinux_2_28_aarch64.whl -
Subject digest:
d631a8a0ae60e16aa626d8f0562adb0fae4779847be1f9aebcc14076e19813b2 - Sigstore transparency entry: 1215809142
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp314-cp314t-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314t-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.14t, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
5c0999a0e47d9ede99598aa6888e0314076a52fb4366bc923c5e39408ed73e92
|
|
| MD5 |
bf2ba10adf20a71b7e64d8735e85c721
|
|
| BLAKE2b-256 |
1fa1761430becf22917f910062509d50755652e7634c2ac096bfd4f486f9739c
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314t-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314t-macosx_14_0_arm64.whl -
Subject digest:
5c0999a0e47d9ede99598aa6888e0314076a52fb4366bc923c5e39408ed73e92 - Sigstore transparency entry: 1215809042
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp314-cp314-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.14, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
af88caa5fb6f6166cb0f55ec45c8de5331e13455aa542046efa2809a969b6ae6
|
|
| MD5 |
fe8b796d1f7c2a9634bf635b853a45e0
|
|
| BLAKE2b-256 |
e8e499cd86a9eb90724adf356649284bacff80d8bb48ed1ed02654bf70ba4625
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314-manylinux_2_28_x86_64.whl -
Subject digest:
af88caa5fb6f6166cb0f55ec45c8de5331e13455aa542046efa2809a969b6ae6 - Sigstore transparency entry: 1215808499
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp314-cp314-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.14, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
29a51c979632d9a7d09f696d77305774b60b975bfd91aca79af941b516e041ed
|
|
| MD5 |
a445d4cf3a0c8a1f2bf4defd4d69053f
|
|
| BLAKE2b-256 |
d986ef91d47845160933c7f79134d5aed0d4d17f0edba1240ecdfb9cde5e4580
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314-manylinux_2_28_aarch64.whl -
Subject digest:
29a51c979632d9a7d09f696d77305774b60b975bfd91aca79af941b516e041ed - Sigstore transparency entry: 1215809219
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp314-cp314-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp314-cp314-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.14, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
13066929107776dd0bf41beda48be8f5a8de5c76fb91bad37a42fc4b4c3e0988
|
|
| MD5 |
73e575fc5d736957fd0c943bb714867b
|
|
| BLAKE2b-256 |
747c085b6a7dd032b1c9c33a195c91668fc59dd14f18287e0dabcfe455da3537
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp314-cp314-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp314-cp314-macosx_14_0_arm64.whl -
Subject digest:
13066929107776dd0bf41beda48be8f5a8de5c76fb91bad37a42fc4b4c3e0988 - Sigstore transparency entry: 1215808305
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp313-cp313-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp313-cp313-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.13, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
56e15e724e8491ce8529e57bd691d5afc5e855af2569bc2303c40849cc6bce44
|
|
| MD5 |
4e0cb8bcbdc92dd278d7d13b1d2b92eb
|
|
| BLAKE2b-256 |
02360e56a5ecf89a82923b2d78faa2117503a5318a1050ce5bba1a6a60b6582d
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp313-cp313-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp313-cp313-manylinux_2_28_x86_64.whl -
Subject digest:
56e15e724e8491ce8529e57bd691d5afc5e855af2569bc2303c40849cc6bce44 - Sigstore transparency entry: 1215809357
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp313-cp313-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp313-cp313-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.13, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
9b29c2b91a1b1e869df50702cc19d101578a97e7ac823ec73f8242b77937fa2d
|
|
| MD5 |
53c725d61ffe73596897ac57960f1a39
|
|
| BLAKE2b-256 |
68366f2919d8cf79a8260938b9d0fac9afab586e6d28ae5f0a52cf3ceb68a75b
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp313-cp313-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp313-cp313-manylinux_2_28_aarch64.whl -
Subject digest:
9b29c2b91a1b1e869df50702cc19d101578a97e7ac823ec73f8242b77937fa2d - Sigstore transparency entry: 1215808598
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp313-cp313-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp313-cp313-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.13, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
65a6d3f7f1eaa4bd8fb4703d6dbf3403167478b1dd5be9d1e589466e83c3e730
|
|
| MD5 |
838dba6561111b16a30ec707c90774c0
|
|
| BLAKE2b-256 |
e23a5ba99e68957bf1acb43b8f12ceb5111fed90a67639034252cd6ddfa9c003
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp313-cp313-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp313-cp313-macosx_14_0_arm64.whl -
Subject digest:
65a6d3f7f1eaa4bd8fb4703d6dbf3403167478b1dd5be9d1e589466e83c3e730 - Sigstore transparency entry: 1215808443
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp312-cp312-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp312-cp312-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.12, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
827b7d7d65dddd10c475afe5edb94db0eb34ec0067cd899a5d9107b8b804d546
|
|
| MD5 |
23a8c8ff4b8df09d08b5f2122e45b48e
|
|
| BLAKE2b-256 |
f79a363b8f185bf887ece70abc69ae4e294e45cd385aabbe9ff3703beba0e6c9
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp312-cp312-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp312-cp312-manylinux_2_28_x86_64.whl -
Subject digest:
827b7d7d65dddd10c475afe5edb94db0eb34ec0067cd899a5d9107b8b804d546 - Sigstore transparency entry: 1215808353
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp312-cp312-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp312-cp312-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.12, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
b94914de6c714b5eebab193f82a3b20162c49992a938b55bb03c3575fe8d8e6b
|
|
| MD5 |
feeba3ee3e3cce70ba21f37fd6cb78ca
|
|
| BLAKE2b-256 |
c13bea99ae3c6dcd6175888420604c2f316273f4706e9a8035a6b563bb3d97ed
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp312-cp312-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp312-cp312-manylinux_2_28_aarch64.whl -
Subject digest:
b94914de6c714b5eebab193f82a3b20162c49992a938b55bb03c3575fe8d8e6b - Sigstore transparency entry: 1215809420
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp312-cp312-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp312-cp312-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.12, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
95c50dacb01755650021a84b6d88089970524a26e35170202fc602af8010d627
|
|
| MD5 |
cb6308165974bec1d8a4c2f548ac1e55
|
|
| BLAKE2b-256 |
d2d0c8036da6041e159b1b286fa1c5cc1548263be2f3bd2119beb248493d8be8
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp312-cp312-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp312-cp312-macosx_14_0_arm64.whl -
Subject digest:
95c50dacb01755650021a84b6d88089970524a26e35170202fc602af8010d627 - Sigstore transparency entry: 1215808874
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp311-cp311-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp311-cp311-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.11, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
42925f57532c4fed1ec47acba4649703eb63a86de7457af81be433547d1415f0
|
|
| MD5 |
75c467e078ada9087cd4a2ad5be037a7
|
|
| BLAKE2b-256 |
7c04c844fd5b58a1a6ddcf20961f185ce39ecd6382c3694295454e986cebda6d
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp311-cp311-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp311-cp311-manylinux_2_28_x86_64.whl -
Subject digest:
42925f57532c4fed1ec47acba4649703eb63a86de7457af81be433547d1415f0 - Sigstore transparency entry: 1215808676
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp311-cp311-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp311-cp311-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.11, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
7b88ade99ae005fc68f84b265dba88f142ff9cdf6f50563e60328863728db6f1
|
|
| MD5 |
a328b068f4ba4980f6101d9b33729424
|
|
| BLAKE2b-256 |
12f44c68a0334746a14b226f9949be903a48be4d1a79b243dbf1dd37d27a4b48
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp311-cp311-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp311-cp311-manylinux_2_28_aarch64.whl -
Subject digest:
7b88ade99ae005fc68f84b265dba88f142ff9cdf6f50563e60328863728db6f1 - Sigstore transparency entry: 1215808729
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp311-cp311-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp311-cp311-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.11, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
7f91cbc9675ae41a8858c3ac1056141100741f4eeb3838ec76e3a5af1b88f5a3
|
|
| MD5 |
978b0d7d9e7727c5e868934ae55bd4de
|
|
| BLAKE2b-256 |
24b09f856436299e01a52104cac7cf43f7a5ad0418032b01417c7745396e3d86
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp311-cp311-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp311-cp311-macosx_14_0_arm64.whl -
Subject digest:
7f91cbc9675ae41a8858c3ac1056141100741f4eeb3838ec76e3a5af1b88f5a3 - Sigstore transparency entry: 1215809292
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp310-cp310-manylinux_2_28_x86_64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp310-cp310-manylinux_2_28_x86_64.whl
- Upload date:
- Size: 32.4 MB
- Tags: CPython 3.10, manylinux: glibc 2.28+ x86-64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
4e40ee214f0451ca993f6524cf9313b53fb5a95a30df4059621bca03b7903ee5
|
|
| MD5 |
80eccff246c9d553a45d068ad1247309
|
|
| BLAKE2b-256 |
7c5d6f17f651784110b0581ca3223cdb9646e73337761be1c13e971e33227c8b
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp310-cp310-manylinux_2_28_x86_64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp310-cp310-manylinux_2_28_x86_64.whl -
Subject digest:
4e40ee214f0451ca993f6524cf9313b53fb5a95a30df4059621bca03b7903ee5 - Sigstore transparency entry: 1215808793
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp310-cp310-manylinux_2_28_aarch64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp310-cp310-manylinux_2_28_aarch64.whl
- Upload date:
- Size: 36.3 MB
- Tags: CPython 3.10, manylinux: glibc 2.28+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
d98860dfe382f01d4f4bf5337969a880e3d8d2d9520aa342cb13344175ad4381
|
|
| MD5 |
a58b475fe471787f47345d4467a5cdf7
|
|
| BLAKE2b-256 |
c282234b948a0c77fdf3065492fd880c947616b6a18500b2462a6ccadcf74b7d
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp310-cp310-manylinux_2_28_aarch64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp310-cp310-manylinux_2_28_aarch64.whl -
Subject digest:
d98860dfe382f01d4f4bf5337969a880e3d8d2d9520aa342cb13344175ad4381 - Sigstore transparency entry: 1215808248
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type:
File details
Details for the file boxlite-0.8.2-cp310-cp310-macosx_14_0_arm64.whl.
File metadata
- Download URL: boxlite-0.8.2-cp310-cp310-macosx_14_0_arm64.whl
- Upload date:
- Size: 34.3 MB
- Tags: CPython 3.10, macOS 14.0+ ARM64
- Uploaded using Trusted Publishing? Yes
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
c71441955f36685b4dda595afb69aab6291c0916f5f457f287d4e5c1bb4723be
|
|
| MD5 |
9f961bc55f5861e29b25604c87db283a
|
|
| BLAKE2b-256 |
dc2ace1d378a9c59cba841163ef5e27985eb0b0fab8948a9e05edc47addf6418
|
Provenance
The following attestation bundles were made for boxlite-0.8.2-cp310-cp310-macosx_14_0_arm64.whl:
Publisher:
build-wheels.yml on boxlite-ai/boxlite
-
Statement:
-
Statement type:
https://in-toto.io/Statement/v1 -
Predicate type:
https://docs.pypi.org/attestations/publish/v1 -
Subject name:
boxlite-0.8.2-cp310-cp310-macosx_14_0_arm64.whl -
Subject digest:
c71441955f36685b4dda595afb69aab6291c0916f5f457f287d4e5c1bb4723be - Sigstore transparency entry: 1215809498
- Sigstore integration time:
-
Permalink:
boxlite-ai/boxlite@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Branch / Tag:
refs/tags/v0.8.2 - Owner: https://github.com/boxlite-ai
-
Access:
public
-
Token Issuer:
https://token.actions.githubusercontent.com -
Runner Environment:
github-hosted -
Publication workflow:
build-wheels.yml@da71624aea28e2d95c453e6d9b6c24bda492c021 -
Trigger Event:
release
-
Statement type: