Examples
Learn by doing. Explore production-ready examples from basic tasks to advanced distributed systems.
447 examples
Basic Task Execution
This example demonstrates how to create and execute distributed tasks using Blazing Flow. You'll learn how to: - Initialize a Blazing Flow application - Define steps and workflows - Execute workflows with `app.run()` or direct invocation - Wait for results with `.wait_result()` - Proper resource cleanup
Basic Workflow
Multi-step orchestration - the foundation of distributed workflows — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Data Processing Step
Filter rows and transform fields in a single Blazing step — lightweight inline data processing without a pipeline.
Data Transformation Workflow
Multi-stage data pipeline with cleaning and normalization — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Hello World
This is the simplest possible Blazing Flow application. It demonstrates how to: - Create a basic Blazing app - Define a simple step and workflow - Publish to the execution engine - Execute and return a response
ML Inference Pipeline
Deploy ML models with Core infrastructure, orchestrate inference with Flow, and run predictions in Flow Sandbox — uses HTTPX.
Multi-Branch Workflow
Parallel execution with asyncio.gather for concurrent processing — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Parallel Execution
Learn how to execute multiple tasks in parallel to dramatically improve throughput. This example shows you how to: - Create batch tasks efficiently - Achieve 4-10x speedup with parallelization - Optimize for different workload sizes - Monitor concurrency levels
Simple Step
The simplest possible Blazing Flow example - a single processing step — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Step with Math
Basic arithmetic operations in a distributed step — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
API with Authentication
Protect endpoints with custom authentication (JWT, API keys, OAuth) — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Basic Calculator API
The simplest possible endpoint: expose a workflow as a public HTTP API Built with uvicorn on Blazing Flow's distributed worker infrastructure.
Batch Processing API
Process multiple items concurrently with result aggregation Built with uvicorn on Blazing Flow's distributed worker infrastructure.
Error Handling in APIs
Proper error handling with custom error responses Built with uvicorn on Blazing Flow's distributed worker infrastructure.
Multi-Step Data Pipeline API
Expose a multi-step workflow that processes data through several stages Built with uvicorn on Blazing Flow's distributed worker infrastructure.
Multiple Endpoints with Different Paths
Organize multiple endpoints with different paths and versions Built with FastAPI, uvicorn on Blazing Flow's distributed worker infrastructure.
WebSocket Real-Time Updates
Enable WebSocket for real-time progress updates from long-running workflows — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Aggregating Results
Fetch data from multiple sources and aggregate into summary statistics — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
PyArrow DataFrames
Pass PyArrow Tables between steps — zero-copy columnar transfers with type-safe Arrow compute operations — uses Apache Arrow.
CSV Import Pipeline
Download, parse, validate, and import CSV files from cloud storage — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
ETL Pipeline
Complete Extract-Transform-Load pipeline for data warehousing — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Event Processing Pipeline
Validate, enrich, and store incoming events with multi-step processing — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Large DataFrame Processing with Arrow Flight
When processing DataFrames larger than 1MB, Blazing automatically uses Apache Arrow Flight for 3-5x faster data transfer. This example shows how to work with large datasets without any special configuration - the optimization happens automatically.
Map-Reduce Pattern
Distributed map-reduce for processing large datasets in chunks — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
PDF Generation Workflow
Generate PDF documents from templates with data from multiple sources — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Retry Logic with Exponential Backoff
Handle transient failures with automatic retry and exponential backoff — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Timeout Handling
Prevent workflows from hanging with asyncio.wait_for timeouts — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Validation & Error Handling
Validate input data and handle errors gracefully in workflows — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
CPU vs I/O Optimization with Worker Types
Blazing automatically optimizes execution by using different worker pools. Use `step_type='BLOCKING'` for CPU-intensive work and default (NON_BLOCKING) for I/O-bound operations. This prevents CPU tasks from blocking async I/O operations — uses HTTPX, NumPy.
Fan-Out / Fan-In Pattern
Fetch data from multiple sources in parallel, then combine results — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Parallel Data Processing
Process multiple items concurrently with asyncio.gather — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Rate-Limited API Calls
Control concurrency with asyncio.Semaphore for rate limiting — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Cache Service
Implement a cache-aside pattern with Redis — check cache, compute on miss, store result, serve on hit.
Connector Integration Patterns
This example demonstrates the connector pattern used in production Blazing applications. Connectors provide a standardized way to interact with external services (REST APIs, databases, etc.) with built-in features: - Connection pooling - Throttling and rate limiting - Authentication management - Health checks **Pattern:** 1. Define connector configurations 2. Create a service that receives connector_instances 3. Service methods use connectors to access external resources
Database Service
Connect to PostgreSQL and perform database operations with SQLAlchemy — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Email Queue Processor
Drain an email queue in configurable batches using Redis LIST operations — rate-limited bulk sending.
Email Service
Send transactional emails via SMTP using a Blazing service — templating, retries, and delivery confirmation.
GitHub Webhook Handler
Process GitHub webhooks with signature validation and event handling — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Multi-Channel Notification
Send notifications across email, SMS, and push channels simultaneously — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
REST API Service
Call external REST APIs with httpx and handle responses — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Stripe Payment Webhook
Handle Stripe payment webhooks with signature verification — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Batch Stock Processing
This example demonstrates batch processing patterns inspired by financial data pipelines. Process hundreds of stocks efficiently with: - Batch processing with configurable sizes - Throttling to respect API rate limits - Resilient error handling (partial failures don't stop the batch) - Progress tracking and reporting **Use Cases:** - Daily stock price updates - Portfolio rebalancing workflows - Market data synchronization - Financial indicator calculations
Cleanup Expired Records
Batch delete expired database records on a schedule — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Daily Report Generation
Scheduled job to generate and distribute daily reports via email — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Event Stream Processor
Process event streams from Kafka in batches with aggregation — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Health Check Workflow
Monitor system health across database, cache, and external APIs — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Modular Registration Pattern
This example demonstrates how to organize large Blazing applications using the modular registration pattern. Instead of defining all steps and workflows in a single file, you can split them into domain-specific modules. **Pattern:** ```python # In main.py: app = Blazing(...) register_trading_module(app) register_analytics_module(app) register_reporting_module(app) await app.publish() ``` **Benefits:** - Clean separation of concerns - Domain-driven design - Easy to test individual modules - Scalable codebase organization - Conditional feature registration
Sandbox: Async Service Calls
User code making concurrent service calls for performance — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Sandbox: Basic User-Provided Transform
The simplest sandbox example: let users write transformation logic while your infrastructure stays protected — uses WebAssembly.
Sandbox: Service Bridge with Database
Let user code process data while keeping database credentials safe — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Sandbox: Multi-Tenant Data Processing
Safely run different tenants' code in isolated sandboxes — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Sandbox: Service Bridge with REST APIs
Let users integrate with external APIs while keeping API keys safe — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Sandbox: Security Validation
Examples of malicious code that fails in the sandbox — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Sandboxed Step Execution
The `sandboxed=True` parameter runs your step in a WebAssembly sandbox with complete isolation. Perfect for executing user-provided code in multi-tenant platforms - the code has zero access to your infrastructure, network, or filesystem.
Trading Strategy Sandbox
This example shows how to build a trading strategy platform with two sides: **YOUR SIDE (Platform Owner):** - Define services your users can access (MarketDataService) - Define a workflow that uses run_sandboxed() to execute user code - Register with Blazing and publish **YOUR USER'S SIDE (End Users):** - Write strategy functions using your services - Submit code as a string - Get results back safely **Security Model (5 Layers - ALL HANDLED BY run_sandboxed()):** 1. AST validation - blocks dangerous imports/builtins 2. Cryptographic signing - HMAC-SHA256 prevents tampering 3. Signature verification - server validates before execution 4. Bytecode validation - blocks dangerous opcodes 5. Pyodide WASM sandbox - no network/filesystem access
API Execution Patterns
Demonstrates three equivalent patterns for invoking workflows and retrieving results: wait_result() one-liner, handle.result() for deferred fetch, and run() by name for string-based dispatch.
Batched Steps
Use @batched to auto-collect individual step calls into GPU-efficient batches — transparent to callers.
Callable Workflows
Shows how registered workflows become callable attributes on the app object, enabling natural invocation syntax like app.my_workflow(x=10).wait_result() without string-based dispatch.
Decorators and Context Manager
Demonstrates how to register steps, workflows, and services using decorators, then use the async context manager (async with app:) to cleanly manage service lifecycle and cleanup.
Direct Function Call
Call @app.step and @app.workflow decorated functions as plain Python — no backend, no publish(), no infrastructure required. The recommended pattern for unit testing and local development.
run_sync by Name
Demonstrates the synchronous API for running workflows by name — app.publish_sync() and app.run_sync('workflow_name', **kwargs) — for use in non-async calling contexts.
SyncBlazing Quickstart
Demonstrates SyncBlazing — the fully synchronous Blazing client — for workflows that must run without any async/await in the calling code, such as scripts and synchronous web frameworks.
wait_result_sync Helper
Shows how to use wait_result_sync() on a workflow execution handle for blocking result retrieval in synchronous contexts — useful when mixing sync and async code in the same application.
Workflow Handle wait()/cancel()
Demonstrates handle lifecycle methods: handle.wait() to block until completion, handle.wait_result() to retrieve the return value, and handle.cancel() to abort an in-flight workflow execution.
Workflow Version Pins
Shows how to pin specific service versions when registering a workflow using the version_pins parameter, ensuring stable deployments by preventing automatic service upgrades from affecting a workflow.
Depth Across Boundaries
Demonstrates a sandboxed step calling a trusted service in the same workflow — a cross-boundary pattern where Pyodide-isolated code accesses a trusted service via the services= injection mechanism.
Depth Metrics API
Shows how to query the GET /v1/metrics/depth HTTP endpoint after running a workflow to retrieve operations_scanned and other depth statistics for monitoring step execution depth — uses HTTPX.
Depth Statistics Metrics
Demonstrates querying depth statistics (max_depth, avg_depth, depth_distribution) from the Blazing metrics API after running workflows to understand step nesting patterns — uses HTTPX.
Depth Tracking Basics
Creates a simple parent workflow calling a single child step to demonstrate Blazing's depth tracking — how the system records parent-child relationships between workflow and step executions.
Depth Tracking Chain
Builds a chain of three steps where each calls the previous (step_c → step_b → step_a) to demonstrate how Blazing tracks and records multi-level step depth across a call chain.
Mixed Executor Routing
Routes trusted and sandboxed steps to different executors within one workflow — trusted NON-BLOCKING steps run in the main executor while sandboxed NON-BLOCKING steps run in Pyodide isolation.
Mixed Load Profile
Blends a CPU-bound BLOCKING step and an async I/O-bound step in a single workflow using asyncio.gather, demonstrating how Blazing routes different load profiles to appropriate executor pools.
State Machine Loop
Implements a workflow-driven state machine using a while loop — each iteration calls a step that advances the state until a terminal condition is reached, demonstrating looping patterns in Blazing.
Worker Type Isolation
Demonstrates behavior differences between trusted and sandboxed NON-BLOCKING workers by running the same input through both and comparing results — trusted steps run in the main process, sandboxed in Pyodide.
Worker Types Overview
Runs all four worker type combinations — trusted BLOCKING, trusted NON-BLOCKING, sandboxed BLOCKING, and sandboxed NON-BLOCKING — in one workflow to demonstrate how step_type and sandboxed flags control executor routing.
Worker Types with Services
One workflow, four worker types — trusted sync (BLOCKING), trusted async (NON_BLOCKING), and two sandboxed async (NON_BLOCKING_SANDBOXED) steps all calling the same MathOpsService, demonstrating that services['Name'] works identically across all executors.
Dynamic Code Execution (Sandboxed)
Executes a user-submitted expression string inside a sandboxed step with restricted builtins, demonstrating how to safely evaluate dynamic code while preventing access to dangerous Python built-in functions.
Dynamic Code Security
Execute user-submitted functions through a 5-layer security pipeline: AST validation, HMAC signing, signature verification, bytecode inspection, and Pyodide sandbox isolation.
Egress Policy
Declare outbound network rules on services — exact hostnames, wildcard subdomains, CIDR blocks, or deny-all — uses HTTPX.
Isolated Execution
Runs a compute step inside the Pyodide WASM sandbox using @app.step(sandboxed=True), isolating the workload from the main executor process while still returning results to the workflow.
Isolated Execution with Retry
Demonstrates retry logic around sandboxed workloads using a try/except loop — if the sandboxed step raises an exception, the workflow waits and retries up to three times before propagating the error.
Pyodide Sandbox Dependencies
Shows how to install extra Python packages into the Pyodide sandbox using the sandbox_dependencies=['numpy'] parameter, making them available inside sandboxed steps without exposing them to trusted workers.
Pyodide Parallel Stress
Fires five sandboxed compute tasks simultaneously using asyncio.gather to stress the Pyodide sandbox executor, demonstrating concurrent sandbox execution and verifying that all tasks complete correctly under parallel load.
Sandboxed Step Basics
The simplest sandboxed step example: marks a step with @app.step(sandboxed=True) to run it in Pyodide WASM isolation, demonstrating the minimal configuration needed for sandbox execution.
API Key Middleware
Protect Blazing endpoints with a FastAPI middleware API key check. Source: greenfield
ASGI Server Integration
Integrates a Blazing workflow into an ASGI server using create_asgi_app() and uvicorn.run(), exposing a /hello endpoint backed by a registered workflow for direct HTTP access.
Custom Exception Handler
Attach a custom exception handler to the ASGI app. Source: greenfield Built with FastAPI, uvicorn on Blazing Flow's distributed worker infrastructure.
Framework Endpoints (ASGI)
Creates an ASGI app from a Blazing workflow using @app.endpoint() and create_asgi_app(), making the workflow directly callable via HTTP through FastAPI or any Starlette-compatible ASGI server.
GET Endpoint with Query Params
Exposes a GET endpoint using @app.endpoint(path='/greet', method='GET') that reads URL query parameters and returns a greeting — demonstrates query param binding for Blazing HTTP endpoints — uses FastAPI, uvicorn.
Mount Blazing in FastAPI
Mounts the Blazing ASGI sub-application at a /blazing path prefix inside a larger FastAPI app using api.mount(), allowing Blazing workflows and custom FastAPI routes to coexist in one server process.
Multiple HTTP Methods
Exposes both GET and POST endpoints in a single Blazing app — a GET /status endpoint for health checks and a POST /echo endpoint for request mirroring, demonstrating multi-method endpoint registration — uses uvicorn.
Real HTTP Endpoints
Exposes a Blazing workflow as a real HTTP endpoint using @app.endpoint() and create_asgi_app(), serving live HTTP requests via uvicorn — the foundation for production API deployment.
Streaming Progress Bar
Use progress_bar to emit SSE updates while iterating. Source: greenfield Built with uvicorn on Blazing Flow's distributed worker infrastructure.
Streaming Sidecar Route
Serve a streaming FastAPI route alongside Blazing endpoints. Source: greenfield
Streaming Workflow Progress
Stream progress updates from a workflow using SSE response_mode="stream". Source: greenfield — uses uvicorn.
Cron & Periodic Scheduler
Register scheduled jobs with SchedulerConnector using cron expressions or fixed intervals.
Distributed Dict & Queue
Share state and pass messages between service instances with DictConnector (key-value store) and QueueConnector (async FIFO queue) — coordinating workers across deployments and tenants.
OpenAI LLM Connector
Use OpenAIConnector in services for chat, streaming, tool calling, and multi-turn conversations.
Local Dict Connector
Uses LocalDictService to persist workflow state in an in-memory key-value store without external dependencies — ideal for local development and testing patterns that will use Redis in production.
Local Multiple Services
Registers two services (MathService and StringService) in a single workflow step, demonstrating how a step accesses multiple services via the services= dict injection and chains their results.
Local Service Multistep
Runs a two-step pipeline where compute_sum aggregates a list using MathService.add() and compute_product scales the result using MathService.multiply(), demonstrating multi-step service reuse.
Publish with Retry
Wraps app.publish() with exponential backoff retry logic for HTTP 429 (rate limited) responses, demonstrating a resilience pattern for publishing workflows in environments with rate-limited control planes — uses HTTPX.
Redis Completion Polling
Connects to a Blazing control plane via BLAZING_API_URL and BLAZING_API_TOKEN environment variables, demonstrating how to configure and authenticate with a remote Blazing deployment using Redis-backed completion tracking.
Remote Control Plane Connection
Connects to a remote Blazing API by passing api_url and api_token to the Blazing constructor, sourced from BLAZING_API_URL and BLAZING_API_TOKEN environment variables for secure credential management.
Service Composition Pipeline
Composes MathService and StringService in a single step to build a two-stage pipeline: compute a product then format it as a labeled string — demonstrates service chaining for multi-step data transformation.
Volume File Storage
Persist files across workflow executions with Volume.persisted() and VolumeConnector inside services.
Agent Checkpointing Service
Demonstrates agent-style fault tolerance using a CheckpointService that persists intermediate step results (step_one and step_two outputs) in an in-memory store, enabling recovery from partial workflow failures.
DeepAgents with BlazeCheckpointer
Run a deepagents (LangGraph-based) agent inside the Pyodide sandbox with multi-turn state persistence via BlazeCheckpointer — build and upload a custom wheel, then use thread_id to resume sessions across independent invocations.
GPU Matrix Multiplication
Runs a 512x512 PyTorch matrix multiplication on the available accelerator (CUDA, MPS, or CPU) by declaring @app.step(gpu='A100'), demonstrating how to route steps to GPU worker pools.
GPU PyTorch Steps — A100 + H100 Pipeline
Chain an A100 matrix multiplication step and an H100 neural network inference step in a single workflow — Blazing routes each step to the matching GPU worker type; in local dev both fall back to Metal (MPS) on Apple Silicon or CUDA on NVIDIA — uses PyTorch.
GSD Tool Registry in Pyodide Sandbox
Pass structured GSD-style tool definitions as plain dicts into a Pyodide sandbox and execute list and filter-by-tag operations — demonstrating data-driven tool management without importing the full GSD framework into the sandboxed environment.
LangBlaze LLM Service
Run LangChain LCEL chains, multi-turn chat, and tool calling from sandboxed Pyodide steps — LLMService on trusted workers proxies API keys so the sandbox never sees them.
ReAct Agent as Dynamic Code
Run a complete LangGraph-style ReAct agent loop as user-submitted dynamic code in the Pyodide sandbox — LLM and tool calls route through trusted-worker services while the agent loop itself runs as signed sandbox code.
Sandbox Dependencies for Agents
Installs langchain-core into the Pyodide sandbox via sandbox_dependencies=['langchain-core'], demonstrating how to provide agent framework libraries to sandboxed steps for LangGraph-style agent workflows.
Build a Wheel for Sandbox
Builds a Python wheel from the current package directory using blazing.wheel_builder.build_wheel(), producing a .whl file that can be uploaded as a sandbox dependency for Pyodide-sandboxed steps.
Custom Image Workflow
Runs a workflow using a custom container image built with Image.debian_slim(python_version='3.11').pip_install('numpy'), demonstrating how to attach a custom Docker image to a specific workflow via @app.workflow(image=image).
Dockerfile Image
Uses Image.from_dockerfile(path, context) to build a custom workflow image from a Dockerfile in the current directory, enabling full control over the executor environment through standard Docker tooling.
Executor Base Image
Builds a custom executor image from Image.executor() using method chaining: .apt_install('curl') for system packages, .pip_install('numpy') for Python packages, and .env(APP_ENV='prod') for environment variables.
Image Environment Variables
Injects environment variables into a custom executor image using Image.executor().env(FOO='bar'), making them available to all steps running in that image via os.getenv() without runtime configuration.
Image with Run Commands
Bakes assets and directory structure into a custom executor image using Image.executor().run_commands(...), executing shell commands at image build time so steps find pre-created files at runtime.
Model Cache in Image
Bake model artifacts into an image and load them at runtime. Source: greenfield
Multiple Images in One App
Use different container images for different workflows. Source: greenfield Built with NumPy on Blazing Flow's distributed worker infrastructure.
Secrets via Environment
Read secrets from environment variables at runtime. Source: greenfield — demonstrates Blazing Flow's distributed step execution model with typed inputs and structured outputs.
Serialize Loading Strategy
Use loading_strategy='serialize' to skip wheel builds — fastest iteration mode for local development.
Hacker News Slackbot
Fetch top Hacker News stories on a schedule and post filtered results to Slack — demonstrates scheduled workflows, concurrent HTTP requests with asyncio.Semaphore, and SlackConnector egress control — uses HTTPX.
SQL Explorer
Ad-hoc SQL analytics over SQLite, CSV, and Parquet via HTTP endpoints backed by DuckDB — read-only mode with SQL injection protection and 30-second query timeouts.
RAG PDF Chatbot
Retrieval-augmented generation over PDF documents — extract text with pdfplumber, chunk with overlap, embed with OpenAI, store in ChromaDB, and answer questions with GPT-4o-mini.
OCR Job Queue
Asynchronous OCR pipeline with UUID-based job IDs, Redis state persistence, and OpenAI Vision API — demonstrates the submit-poll pattern with a pending/processing/completed state machine.
Docsearch Crawler
BFS documentation crawler that respects robots.txt, extracts text with trafilatura, and batch-indexes content to Algolia with SHA256-based object IDs.
Google Sheets to MongoDB Sync
Bidirectional sync between Google Sheets and MongoDB with last-write-wins conflict resolution — demonstrates timestamp-based conflict handling and idempotent upserts.
Document Embedding Pipeline
High-throughput document embedding pipeline — S3 batch download, tiktoken chunking with overlap, sentence-transformers or OpenAI embeddings, MongoDB vector storage, and checkpoint/resume for fault tolerance.
Satellite Image Vectors
Geospatial ML pipeline — read GeoTIFF with rasterio, extract 256x256 tiles, generate Clay or sentence-transformer embeddings, and index with MongoDB 2dsphere for geospatial search.
Order Processing State Machine
State machine where each transition runs as a sandboxed step calling a trusted OrderService — PENDING through PAYMENT_CHECK, INVENTORY_CHECK, APPROVED, and COMPLETED with rejection paths.
Podcast Transcription
Parallel audio transcription pipeline using FFmpeg for chunking and OpenAI Whisper API — handles the 25MB file size limit automatically with asyncio.Semaphore throttling.
Coding Agent with BlazeFileSystem
A deepagents coding agent in the Pyodide sandbox performs real file I/O through BlazeFileSystem proxied to a trusted StorageService — init a git repo, write and verify Python files, then persist agent state via BlazeCheckpointer across workflow phases.
Secrets Management with SecretsConnector
Store and retrieve encrypted secrets through trusted services — DatabaseService fetches DATABASE_URL and credentials; APIClientService fetches API_KEY and API_SECRET. Sandboxed steps cannot access secrets directly, enforcing the same security model as database connectors.
Volume File Storage with VolumeConnector
Read and write files through a trusted FileProcessorService injected with VolumeConnector — sandboxed steps call service methods while only the trusted service has direct volume access, enforcing the connector security model.
goosebin
goosebin deployed on Akash Network via Blazing Core.
gpt4all
gpt4all deployed on Akash Network via Blazing Core.
minio
minio deployed on Akash Network via Blazing Core.
postgres-restore
postgres-restore deployed on Akash Network via Blazing Core.
rainbowminer-c12
rainbowminer-c12 deployed on Akash Network via Blazing Core.
satisfactory-server
satisfactory-server deployed on Akash Network via Blazing Core.
sovryn-node
sovryn-node deployed on Akash Network via Blazing Core.
test
test deployed on Akash Network via Blazing Core.
valheim
valheim deployed on Akash Network via Blazing Core.
Elizaos-ai_Agents
Elizaos-ai_Agents deployed on Akash Network via Blazing Core.
Venice-ElizaOS
Venice-ElizaOS deployed on Akash Network via Blazing Core.
agent-zero
agent-zero deployed on Akash Network via Blazing Core.
alpaca-cpp
alpaca-cpp deployed on Akash Network via Blazing Core.
auto-gpt
auto-gpt deployed on Akash Network via Blazing Core.
babyagi
babyagi deployed on Akash Network via Blazing Core.
babyagi-ui
babyagi-ui deployed on Akash Network via Blazing Core.
bark-small
bark-small deployed on Akash Network via Blazing Core.
botpress
botpress deployed on Akash Network via Blazing Core.
chatchat
chatchat deployed on Akash Network via Blazing Core.
chromadb
chromadb deployed on Akash Network via Blazing Core.
daila
daila deployed on Akash Network via Blazing Core.
faster-whisper-cpu
faster-whisper-cpu deployed on Akash Network via Blazing Core.
invoke-ai-cpu
invoke-ai-cpu deployed on Akash Network via Blazing Core.
langflow
langflow deployed on Akash Network via Blazing Core.
morpheus-lumerin-node
morpheus-lumerin-node deployed on Akash Network via Blazing Core.
ollama-cpu
ollama-cpu deployed on Akash Network via Blazing Core.
open-webui-cpu
open-webui-cpu deployed on Akash Network via Blazing Core.
openclaw
openclaw deployed on Akash Network via Blazing Core.
privategpt-cpu
privategpt-cpu deployed on Akash Network via Blazing Core.
serge-cpu
serge-cpu deployed on Akash Network via Blazing Core.
tgpt
tgpt deployed on Akash Network via Blazing Core.
weaviate
weaviate deployed on Akash Network via Blazing Core.
whisper-asr-cpu
whisper-asr-cpu deployed on Akash Network via Blazing Core.
whisper-gui-cpu
whisper-gui-cpu deployed on Akash Network via Blazing Core.
AI-Image-App
AI-Image-App deployed on Akash Network via Blazing Core.
AUTOMATIC1111
AUTOMATIC1111 deployed on Akash Network via Blazing Core.
Ace-Music-AI
Ace-Music-AI deployed on Akash Network via Blazing Core.
ChatGLM-6B
ChatGLM-6B deployed on Akash Network via Blazing Core.
DeepSeek-Janus
DeepSeek-Janus deployed on Akash Network via Blazing Core.
DeepSeek-R1
DeepSeek-R1 deployed on Akash Network via Blazing Core.
DeepSeek-R1-0528
DeepSeek-R1-0528 deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Llama-70B
DeepSeek-R1-Distill-Llama-70B deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Llama-8B
DeepSeek-R1-Distill-Llama-8B deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Qwen-1.5B
DeepSeek-R1-Distill-Qwen-1.5B deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Qwen-14B
DeepSeek-R1-Distill-Qwen-14B deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Qwen-32B
DeepSeek-R1-Distill-Qwen-32B deployed on Akash Network via Blazing Core.
DeepSeek-R1-Distill-Qwen-7B
DeepSeek-R1-Distill-Qwen-7B deployed on Akash Network via Blazing Core.
DeepSeek-V3.1
DeepSeek-V3.1 deployed on Akash Network via Blazing Core.
FLock-training-node
FLock-training-node deployed on Akash Network via Blazing Core.
FLock-validator
FLock-validator deployed on Akash Network via Blazing Core.
Falcon-7B
Falcon-7B deployed on Akash Network via Blazing Core.
FastChat
FastChat deployed on Akash Network via Blazing Core.
Hermes-4-405B-FP8
Hermes-4-405B-FP8 deployed on Akash Network via Blazing Core.
Kimi-K2-Thinking
Kimi-K2-Thinking deployed on Akash Network via Blazing Core.
Llama-2-70B
Llama-2-70B deployed on Akash Network via Blazing Core.
Llama-3-70B
Llama-3-70B deployed on Akash Network via Blazing Core.
Llama-3-8B
Llama-3-8B deployed on Akash Network via Blazing Core.
Llama-3-Groq-8B-Tool-Use
Llama-3-Groq-8B-Tool-Use deployed on Akash Network via Blazing Core.
Llama-3.1-405B-AWQ-INT4
Llama-3.1-405B-AWQ-INT4 deployed on Akash Network via Blazing Core.
Llama-3.1-405B-BF16
Llama-3.1-405B-BF16 deployed on Akash Network via Blazing Core.
Llama-3.1-405B-FP8
Llama-3.1-405B-FP8 deployed on Akash Network via Blazing Core.
Llama-3.1-8B
Llama-3.1-8B deployed on Akash Network via Blazing Core.
Llama-3.2-11B-Vision-Instruct
Llama-3.2-11B-Vision-Instruct deployed on Akash Network via Blazing Core.
Llama-3.2-3B
Llama-3.2-3B deployed on Akash Network via Blazing Core.
Llama-3.2-90B-Vision-Instruct
Llama-3.2-90B-Vision-Instruct deployed on Akash Network via Blazing Core.
Llama-3.3-70B
Llama-3.3-70B deployed on Akash Network via Blazing Core.
Llama-3_3-Nemotron-Super-49B-v1
Llama-3_3-Nemotron-Super-49B-v1 deployed on Akash Network via Blazing Core.
Llama-4-Maverick-17B-128E-Instruct-FP8
Llama-4-Maverick-17B-128E-Instruct-FP8 deployed on Akash Network via Blazing Core.
Llama-4-Scout-17B-16E-Instruct
Llama-4-Scout-17B-16E-Instruct deployed on Akash Network via Blazing Core.
Mistral-7B
Mistral-7B deployed on Akash Network via Blazing Core.
Pluralis-Node
Pluralis-Node deployed on Akash Network via Blazing Core.
QwQ-32B
QwQ-32B deployed on Akash Network via Blazing Core.
Qwen3-235B-A22B-FP8
Qwen3-235B-A22B-FP8 deployed on Akash Network via Blazing Core.
Qwen3-235B-A22B-Instruct-2507
Qwen3-235B-A22B-Instruct-2507 deployed on Akash Network via Blazing Core.
Qwen3-235B-A22B-Instruct-2507-FP8
Qwen3-235B-A22B-Instruct-2507-FP8 deployed on Akash Network via Blazing Core.
Qwen3-235B-A22B-Thinking-2507
Qwen3-235B-A22B-Thinking-2507 deployed on Akash Network via Blazing Core.
Qwen3-235B-A22B-Thinking-2507-FP8
Qwen3-235B-A22B-Thinking-2507-FP8 deployed on Akash Network via Blazing Core.
Qwen3-Coder-480B-A35B-Instruct
Qwen3-Coder-480B-A35B-Instruct deployed on Akash Network via Blazing Core.
Qwen3-Next-80B-A3B-Instruct
Qwen3-Next-80B-A3B-Instruct deployed on Akash Network via Blazing Core.
StableStudio
StableStudio deployed on Akash Network via Blazing Core.
TTS
TTS deployed on Akash Network via Blazing Core.
XLM-RoBERTa
XLM-RoBERTa deployed on Akash Network via Blazing Core.
axolotlai
axolotlai deployed on Akash Network via Blazing Core.
bert
bert deployed on Akash Network via Blazing Core.
bert-sentiment-analysis
bert-sentiment-analysis deployed on Akash Network via Blazing Core.
comfyui
comfyui deployed on Akash Network via Blazing Core.
dolly-v2-12b
dolly-v2-12b deployed on Akash Network via Blazing Core.
dria
dria deployed on Akash Network via Blazing Core.
faster-whisper-gpu
faster-whisper-gpu deployed on Akash Network via Blazing Core.
flan-t5-xxl
flan-t5-xxl deployed on Akash Network via Blazing Core.
gensyn-rl-swarm
gensyn-rl-swarm deployed on Akash Network via Blazing Core.
gpt-neo
gpt-neo deployed on Akash Network via Blazing Core.
gpustack
gpustack deployed on Akash Network via Blazing Core.
gpustack-worker
gpustack-worker deployed on Akash Network via Blazing Core.
grok
grok deployed on Akash Network via Blazing Core.
invoke-ai-gpu
invoke-ai-gpu deployed on Akash Network via Blazing Core.
llama-factory
llama-factory deployed on Akash Network via Blazing Core.
ollama-gpu
ollama-gpu deployed on Akash Network via Blazing Core.
open-gpt
open-gpt deployed on Akash Network via Blazing Core.
open-webui-gpu
open-webui-gpu deployed on Akash Network via Blazing Core.
openai-gpt-oss-120b
openai-gpt-oss-120b deployed on Akash Network via Blazing Core.
privategpt-gpu
privategpt-gpu deployed on Akash Network via Blazing Core.
redpajama-incite-7b-instruct
redpajama-incite-7b-instruct deployed on Akash Network via Blazing Core.
semantra
semantra deployed on Akash Network via Blazing Core.
serge-gpu
serge-gpu deployed on Akash Network via Blazing Core.
stable-diffusion-ui
stable-diffusion-ui deployed on Akash Network via Blazing Core.
stable-diffusion-webui
stable-diffusion-webui deployed on Akash Network via Blazing Core.
text-generation-webui
text-generation-webui deployed on Akash Network via Blazing Core.
unsloth-ai
unsloth-ai deployed on Akash Network via Blazing Core.
whisper-asr-gpu
whisper-asr-gpu deployed on Akash Network via Blazing Core.
whisper-gui-gpu
whisper-gui-gpu deployed on Akash Network via Blazing Core.
fast
fast deployed on Akash Network via Blazing Core.
fio
fio deployed on Akash Network via Blazing Core.
geekbench
geekbench deployed on Akash Network via Blazing Core.
iperf3
iperf3 deployed on Akash Network via Blazing Core.
librespeed
librespeed deployed on Akash Network via Blazing Core.
monkeytest
monkeytest deployed on Akash Network via Blazing Core.
openspeedtest
openspeedtest deployed on Akash Network via Blazing Core.
persistent-storage-performance-testing
persistent-storage-performance-testing deployed on Akash Network via Blazing Core.
phoronix
phoronix deployed on Akash Network via Blazing Core.
serverbench
serverbench deployed on Akash Network via Blazing Core.
speedtest-cli
speedtest-cli deployed on Akash Network via Blazing Core.
speedtest-tracker
speedtest-tracker deployed on Akash Network via Blazing Core.
Ethereum_2.0
Ethereum_2.0 deployed on Akash Network via Blazing Core.
Kadena
Kadena deployed on Akash Network via Blazing Core.
avalanche
avalanche deployed on Akash Network via Blazing Core.
bitcoin
bitcoin deployed on Akash Network via Blazing Core.
bitcoin-knots-mempool-ui
bitcoin-knots-mempool-ui deployed on Akash Network via Blazing Core.
bitcoincashnode
bitcoincashnode deployed on Akash Network via Blazing Core.
centrifuge
centrifuge deployed on Akash Network via Blazing Core.
concordium
concordium deployed on Akash Network via Blazing Core.
dcrpulse
dcrpulse deployed on Akash Network via Blazing Core.
fuse-network-node
fuse-network-node deployed on Akash Network via Blazing Core.
handshake
handshake deployed on Akash Network via Blazing Core.
injective
injective deployed on Akash Network via Blazing Core.
juno
juno deployed on Akash Network via Blazing Core.
metal-validator
metal-validator deployed on Akash Network via Blazing Core.
near
near deployed on Akash Network via Blazing Core.
polkadot
polkadot deployed on Akash Network via Blazing Core.
prysm-beacon
prysm-beacon deployed on Akash Network via Blazing Core.
substrate-node
substrate-node deployed on Akash Network via Blazing Core.
vidulum
vidulum deployed on Akash Network via Blazing Core.
witnesschain-watchtower
witnesschain-watchtower deployed on Akash Network via Blazing Core.
zcash-zcashd
zcash-zcashd deployed on Akash Network via Blazing Core.
zcash-zebra
zcash-zebra deployed on Akash Network via Blazing Core.
Grav
Grav deployed on Akash Network via Blazing Core.
confluence
confluence deployed on Akash Network via Blazing Core.
drupal
drupal deployed on Akash Network via Blazing Core.
ghost
ghost deployed on Akash Network via Blazing Core.
ghost-filebase-backup
ghost-filebase-backup deployed on Akash Network via Blazing Core.
nitropage
nitropage deployed on Akash Network via Blazing Core.
steemcn
steemcn deployed on Akash Network via Blazing Core.
wikijs
wikijs deployed on Akash Network via Blazing Core.
wordpress
wordpress deployed on Akash Network via Blazing Core.
big-dipper
big-dipper deployed on Akash Network via Blazing Core.
RAIR-Dapp
RAIR-Dapp deployed on Akash Network via Blazing Core.
n8n
n8n deployed on Akash Network via Blazing Core.
odoo
odoo deployed on Akash Network via Blazing Core.
mattermost
mattermost deployed on Akash Network via Blazing Core.
status
status deployed on Akash Network via Blazing Core.
automatic-deployment-CICD-template
automatic-deployment-CICD-template deployed on Akash Network via Blazing Core.
azure-devops-agent
azure-devops-agent deployed on Akash Network via Blazing Core.
bitbucket
bitbucket deployed on Akash Network via Blazing Core.
ghrunner
ghrunner deployed on Akash Network via Blazing Core.
gitea
gitea deployed on Akash Network via Blazing Core.
gogs
gogs deployed on Akash Network via Blazing Core.
jenkins
jenkins deployed on Akash Network via Blazing Core.
micro-services-example
micro-services-example deployed on Akash Network via Blazing Core.
radicle
radicle deployed on Akash Network via Blazing Core.
Redash
Redash deployed on Akash Network via Blazing Core.
metabase
metabase deployed on Akash Network via Blazing Core.
ufo-data-vis
ufo-data-vis deployed on Akash Network via Blazing Core.
CockroachDB
CockroachDB deployed on Akash Network via Blazing Core.
MySQL
MySQL deployed on Akash Network via Blazing Core.
SurrealDB
SurrealDB deployed on Akash Network via Blazing Core.
adminer
adminer deployed on Akash Network via Blazing Core.
couchdb
couchdb deployed on Akash Network via Blazing Core.
defradb
defradb deployed on Akash Network via Blazing Core.
influxdb
influxdb deployed on Akash Network via Blazing Core.
json-server
json-server deployed on Akash Network via Blazing Core.
mongoDB
mongoDB deployed on Akash Network via Blazing Core.
neo4j
neo4j deployed on Akash Network via Blazing Core.
pgadmin4
pgadmin4 deployed on Akash Network via Blazing Core.
postgres
postgres deployed on Akash Network via Blazing Core.
qdrant
qdrant deployed on Akash Network via Blazing Core.
redis
redis deployed on Akash Network via Blazing Core.
supabase
supabase deployed on Akash Network via Blazing Core.
codex
codex deployed on Akash Network via Blazing Core.
ipfs
ipfs deployed on Akash Network via Blazing Core.
Thorchain-BEPSwap
Thorchain-BEPSwap deployed on Akash Network via Blazing Core.
Yearn.finance
Yearn.finance deployed on Akash Network via Blazing Core.
balancer
balancer deployed on Akash Network via Blazing Core.
bancor
bancor deployed on Akash Network via Blazing Core.
curve
curve deployed on Akash Network via Blazing Core.
osmosis-fe
osmosis-fe deployed on Akash Network via Blazing Core.
pancake-swap
pancake-swap deployed on Akash Network via Blazing Core.
renprotocol
renprotocol deployed on Akash Network via Blazing Core.
sushiswap
sushiswap deployed on Akash Network via Blazing Core.
synthetix.exchange
synthetix.exchange deployed on Akash Network via Blazing Core.
uma-protocol
uma-protocol deployed on Akash Network via Blazing Core.
uniswap
uniswap deployed on Akash Network via Blazing Core.
yfii
yfii deployed on Akash Network via Blazing Core.
csgo
csgo deployed on Akash Network via Blazing Core.
mordhau
mordhau deployed on Akash Network via Blazing Core.
squad
squad deployed on Akash Network via Blazing Core.
steamcmd
steamcmd deployed on Akash Network via Blazing Core.
tf2
tf2 deployed on Akash Network via Blazing Core.
MemoryGame
MemoryGame deployed on Akash Network via Blazing Core.
minecraft
minecraft deployed on Akash Network via Blazing Core.
minesweeper
minesweeper deployed on Akash Network via Blazing Core.
pacman
pacman deployed on Akash Network via Blazing Core.
snake-game
snake-game deployed on Akash Network via Blazing Core.
supermario
supermario deployed on Akash Network via Blazing Core.
tetris
tetris deployed on Akash Network via Blazing Core.
tetris2
tetris2 deployed on Akash Network via Blazing Core.
caddy
caddy deployed on Akash Network via Blazing Core.
flame
flame deployed on Akash Network via Blazing Core.
grafana
grafana deployed on Akash Network via Blazing Core.
nginx-letsencrypt-proxy
nginx-letsencrypt-proxy deployed on Akash Network via Blazing Core.
doccano
doccano deployed on Akash Network via Blazing Core.
jupyter
jupyter deployed on Akash Network via Blazing Core.
ray
ray deployed on Akash Network via Blazing Core.
tensorflow-jupyter-ezkl
tensorflow-jupyter-ezkl deployed on Akash Network via Blazing Core.
tensorflow-jupyter-mnist
tensorflow-jupyter-mnist deployed on Akash Network via Blazing Core.
tensorflow-serving-mnist
tensorflow-serving-mnist deployed on Akash Network via Blazing Core.
tensorflow-webapp-mnist
tensorflow-webapp-mnist deployed on Akash Network via Blazing Core.
freeflix-nucleus
freeflix-nucleus deployed on Akash Network via Blazing Core.
chia-bladebit
chia-bladebit deployed on Akash Network via Blazing Core.
chia-bladebit-disk
chia-bladebit-disk deployed on Akash Network via Blazing Core.
chia-madmax
chia-madmax deployed on Akash Network via Blazing Core.
honeygain
honeygain deployed on Akash Network via Blazing Core.
iproyal-pawns
iproyal-pawns deployed on Akash Network via Blazing Core.
iron-fish
iron-fish deployed on Akash Network via Blazing Core.
moneroocean
moneroocean deployed on Akash Network via Blazing Core.
packetstream
packetstream deployed on Akash Network via Blazing Core.
pkt-miner
pkt-miner deployed on Akash Network via Blazing Core.
rainbowminer
rainbowminer deployed on Akash Network via Blazing Core.
raptoreum-miner
raptoreum-miner deployed on Akash Network via Blazing Core.
traffmonetizer
traffmonetizer deployed on Akash Network via Blazing Core.
xmrig
xmrig deployed on Akash Network via Blazing Core.
bminer-c11
bminer-c11 deployed on Akash Network via Blazing Core.
bzminer-c11
bzminer-c11 deployed on Akash Network via Blazing Core.
cryptodredge-c11
cryptodredge-c11 deployed on Akash Network via Blazing Core.
gminer-c11
gminer-c11 deployed on Akash Network via Blazing Core.
lolminer-c11
lolminer-c11 deployed on Akash Network via Blazing Core.
nanominer-c11
nanominer-c11 deployed on Akash Network via Blazing Core.
nbminer-c11
nbminer-c11 deployed on Akash Network via Blazing Core.
onezerominer-c11
onezerominer-c11 deployed on Akash Network via Blazing Core.
quai-gpu-miner
quai-gpu-miner deployed on Akash Network via Blazing Core.
rainbowminer-c11
rainbowminer-c11 deployed on Akash Network via Blazing Core.
rigel-c11
rigel-c11 deployed on Akash Network via Blazing Core.
srbminer-multi-c11
srbminer-multi-c11 deployed on Akash Network via Blazing Core.
t-rex-c11
t-rex-c11 deployed on Akash Network via Blazing Core.
wildrig-multi-c11
wildrig-multi-c11 deployed on Akash Network via Blazing Core.
xmrig-c11
xmrig-c11 deployed on Akash Network via Blazing Core.
xmrig-moneroocean-c11
xmrig-moneroocean-c11 deployed on Akash Network via Blazing Core.
kawpow-pool-meowcoin
kawpow-pool-meowcoin deployed on Akash Network via Blazing Core.
kawpow-pool-neoxa
kawpow-pool-neoxa deployed on Akash Network via Blazing Core.
kawpow-pool-ravencoin
kawpow-pool-ravencoin deployed on Akash Network via Blazing Core.
monero-pool
monero-pool deployed on Akash Network via Blazing Core.
Sentinel-dVPN-node
Sentinel-dVPN-node deployed on Akash Network via Blazing Core.
cjdns-pkt
cjdns-pkt deployed on Akash Network via Blazing Core.
softether-vpn
softether-vpn deployed on Akash Network via Blazing Core.
tor-proxy
tor-proxy deployed on Akash Network via Blazing Core.
v2ray
v2ray deployed on Akash Network via Blazing Core.
x-ui
x-ui deployed on Akash Network via Blazing Core.
lunie-lite
lunie-lite deployed on Akash Network via Blazing Core.
ssh-ubuntu
ssh-ubuntu deployed on Akash Network via Blazing Core.
qbittorrent
qbittorrent deployed on Akash Network via Blazing Core.
jira
jira deployed on Akash Network via Blazing Core.
kanboard
kanboard deployed on Akash Network via Blazing Core.
redmine
redmine deployed on Akash Network via Blazing Core.
elasticsearch
elasticsearch deployed on Akash Network via Blazing Core.
presearch
presearch deployed on Akash Network via Blazing Core.
whoogle-search
whoogle-search deployed on Akash Network via Blazing Core.
yacy
yacy deployed on Akash Network via Blazing Core.
discourse
discourse deployed on Akash Network via Blazing Core.
waku
waku deployed on Akash Network via Blazing Core.
CodiMD
CodiMD deployed on Akash Network via Blazing Core.
Periodic-Table-Creator
Periodic-Table-Creator deployed on Akash Network via Blazing Core.
anubis
anubis deployed on Akash Network via Blazing Core.
authsteem
authsteem deployed on Akash Network via Blazing Core.
budibase
budibase deployed on Akash Network via Blazing Core.
code-server
code-server deployed on Akash Network via Blazing Core.
dart
dart deployed on Akash Network via Blazing Core.
folding-at-home
folding-at-home deployed on Akash Network via Blazing Core.
hashicorp-vault
hashicorp-vault deployed on Akash Network via Blazing Core.
keycloak-iam
keycloak-iam deployed on Akash Network via Blazing Core.
libretranslate
libretranslate deployed on Akash Network via Blazing Core.
matomo
matomo deployed on Akash Network via Blazing Core.
memos
memos deployed on Akash Network via Blazing Core.
microbox
microbox deployed on Akash Network via Blazing Core.
nextcloud
nextcloud deployed on Akash Network via Blazing Core.
onetimepad
onetimepad deployed on Akash Network via Blazing Core.
owncloud
owncloud deployed on Akash Network via Blazing Core.
quill-editor
quill-editor deployed on Akash Network via Blazing Core.
shiori
shiori deployed on Akash Network via Blazing Core.
swagger-ui
swagger-ui deployed on Akash Network via Blazing Core.
thirdweb
thirdweb deployed on Akash Network via Blazing Core.
uptime-kuma
uptime-kuma deployed on Akash Network via Blazing Core.
vaultwarden
vaultwarden deployed on Akash Network via Blazing Core.
webtop
webtop deployed on Akash Network via Blazing Core.
zammad
zammad deployed on Akash Network via Blazing Core.
jitsi-meet
jitsi-meet deployed on Akash Network via Blazing Core.
MyEtherWallet
MyEtherWallet deployed on Akash Network via Blazing Core.
tronwallet
tronwallet deployed on Akash Network via Blazing Core.
gin
gin deployed on Akash Network via Blazing Core.
nextjs
nextjs deployed on Akash Network via Blazing Core.
react
react deployed on Akash Network via Blazing Core.
ruby-on-rails
ruby-on-rails deployed on Akash Network via Blazing Core.