Python SDK and CLI for Hippius blockchain storage
Project description
Hippius
A Python SDK and CLI for interacting with Hippius blockchain storage, designed specifically for ML developers working with Bittensor.
Features
- IPFS operations: Upload and download files to/from IPFS
- Multiple connection methods for IPFS (RPC or HTTP API)
- Human-readable formatting of file sizes and CIDs
- Simple and intuitive API for ML developers
- Substrate blockchain integration for decentralized storage references
- End-to-end encryption for secure file storage and retrieval
- Built-in CLI tools for encryption key generation
Installation
# Using pip
pip install hippius
# Using Poetry
poetry add hippius
# With clipboard support for encryption key utility
poetry add hippius -E clipboard
Quick Start
from hippius_sdk import HippiusClient
# Initialize the client with default connections to Hippius network
client = HippiusClient()
# Or specify custom endpoints
client = HippiusClient(
ipfs_gateway="https://ipfs.io", # For downloads (default)
ipfs_api_url="http://relay-fr.hippius.network:5001", # For uploads (default)
)
# Upload a file to IPFS
result = client.upload_file("path/to/your/model.pt")
print(f"File uploaded with CID: {result['cid']}")
print(f"File size: {result['size_formatted']}")
# Download a file from IPFS
dl_result = client.download_file(result['cid'], "path/to/save/model.pt")
print(f"Download successful in {dl_result['elapsed_seconds']} seconds")
print(f"File size: {dl_result['size_formatted']}")
# Check if a file exists
exists_result = client.exists(result['cid'])
print(f"File exists: {exists_result['exists']}")
print(f"Gateway URL: {exists_result['gateway_url']}")
# Get file content directly
content_result = client.cat(result['cid'])
if content_result['is_text']:
print(f"Content preview: {content_result['text_preview']}")
else:
print(f"Binary content (hex): {content_result['hex_preview']}")
print(f"Content size: {content_result['size_formatted']}")
# Pin a file to ensure it stays on the network
pin_result = client.pin(result['cid'])
print(f"Pinning successful: {pin_result['success']}")
print(f"Message: {pin_result['message']}")
# Format a CID for display
formatted_cid = client.format_cid(result['cid'])
print(f"Formatted CID: {formatted_cid}")
# Format file size for display
formatted_size = client.format_size(1024 * 1024)
print(f"Formatted size: {formatted_size}") # Output: 1.00 MB
Encryption Support
Hippius SDK supports end-to-end encryption for secure file storage and retrieval using the NaCl (libsodium) cryptography library.
Generating an Encryption Key
# After installing the SDK, you can use the built-in command-line tool:
hippius-keygen
# Generate and copy to clipboard (requires pyperclip)
hippius-keygen --copy
Setting Up Encryption
The SDK can be configured to use encryption in several ways:
-
Through environment variables (recommended for development):
# In your .env file HIPPIUS_ENCRYPTION_KEY=your-base64-encoded-key HIPPIUS_ENCRYPT_BY_DEFAULT=true -
Directly in code:
import base64 from hippius_sdk import HippiusClient # Decode the base64 key encryption_key = base64.b64decode("your-base64-encoded-key") # Initialize client with encryption enabled client = HippiusClient( encrypt_by_default=True, encryption_key=encryption_key ) # Or generate a new key programmatically encoded_key = client.generate_encryption_key() print(f"Generated key: {encoded_key}")
Using Encryption
Once configured, encryption works transparently:
# Upload with encryption (uses default setting)
result = client.upload_file("sensitive_data.txt")
# Explicitly enable/disable encryption for a specific operation
encrypted_result = client.upload_file("sensitive_data.txt", encrypt=True)
unencrypted_result = client.upload_file("public_data.txt", encrypt=False)
# Download and decrypt automatically
dl_result = client.download_file(encrypted_result['cid'], "decrypted_file.txt")
# Explicitly control decryption
decrypted_result = client.download_file(encrypted_result['cid'], "output.txt", decrypt=True)
raw_result = client.download_file(encrypted_result['cid'], "still_encrypted.txt", decrypt=False)
# View encrypted content
content = client.cat(encrypted_result['cid'], decrypt=True)
Command Line Interface
The Hippius SDK includes a powerful command-line interface (CLI) that provides access to all major features of the SDK directly from your terminal.
Basic Usage
# Get help and list available commands
hippius --help
# Set global options
hippius --gateway https://ipfs.io --api-url https://relay-fr.hippius.network --verbose
IPFS Operations
# Download a file from IPFS
hippius download QmCID123 output_file.txt
# Check if a CID exists
hippius exists QmCID123
# Display file content
hippius cat QmCID123
# Store a file on IPFS and Hippius Marketplace
hippius store my_file.txt
# Store a directory on IPFS and Hippius Marketplace
hippius store-dir ./my_directory
Account Operations
# Check available credits for an account
hippius credits
# Check credits for a specific account
hippius credits 5H1QBRF7T7dgKwzVGCgS4wioudvMRf9K4NEDzfuKLnuyBNzH
# View files stored by an account
hippius files
# View files for a specific account
hippius files 5H1QBRF7T7dgKwzVGCgS4wioudvMRf9K4NEDzfuKLnuyBNzH
# Show all miners for each file
hippius files --all-miners
Encryption
# Generate an encryption key
hippius keygen
# Generate and copy to clipboard
hippius keygen --copy
# Upload with encryption
hippius store my_file.txt --encrypt
# Download and decrypt
hippius download QmCID123 output_file.txt --decrypt
Using Environment Variables
The CLI automatically reads from your .env file for common settings:
IPFS_GATEWAY=https://ipfs.io
IPFS_API_URL=https://relay-fr.hippius.network
SUBSTRATE_URL=wss://rpc.hippius.network
SUBSTRATE_SEED_PHRASE="your twelve word seed phrase..."
SUBSTRATE_DEFAULT_MINERS=miner1,miner2,miner3
HIPPIUS_ENCRYPTION_KEY=your-base64-encoded-key
HIPPIUS_ENCRYPT_BY_DEFAULT=true|false
Detailed Usage
IPFS Operations
from hippius_sdk import IPFSClient
# Initialize the IPFS client (uses Hippius relay node by default)
ipfs_client = IPFSClient()
# Or specify custom endpoints
ipfs_client = IPFSClient(
gateway="https://ipfs.io", # For downloads
api_url="http://relay-fr.hippius.network:5001" # For uploads
)
# Upload a file
result = ipfs_client.upload_file("path/to/your/file.txt")
cid = result["cid"]
size = result["size_formatted"]
# Upload a directory
dir_result = ipfs_client.upload_directory("path/to/your/directory")
dir_cid = dir_result["cid"]
file_count = dir_result["file_count"]
total_size = dir_result["size_formatted"]
# Download a file
dl_result = ipfs_client.download_file(cid, "path/to/save/file.txt")
success = dl_result["success"]
elapsed_time = dl_result["elapsed_seconds"]
# Check if a CID exists
exists_result = ipfs_client.exists(cid)
exists = exists_result["exists"]
gateway_url = exists_result["gateway_url"]
# Get file content directly
content_result = ipfs_client.cat(cid)
content = content_result["content"]
is_text = content_result["is_text"]
preview = content_result["text_preview"] if is_text else content_result["hex_preview"]
# Pin a file
pin_result = ipfs_client.pin(cid)
success = pin_result["success"]
message = pin_result["message"]
# Format a CID
formatted_cid = ipfs_client.format_cid("6261666b7265696134...") # Hex-encoded CID
# Will return a proper formatted CID like "bafkrei..."
# Format a file size
human_readable = ipfs_client.format_size(1048576) # 1 MB
IPFS Connection Methods
The SDK provides robust connection handling for IPFS:
-
RPC Connection (Default): Attempts to connect to the IPFS node via its RPC port (typically 5001) using the
ipfshttpclientlibrary. -
HTTP API Fallback: If the RPC connection fails, the SDK automatically falls back to using the HTTP REST API (same approach as used in web browsers).
This dual approach ensures maximum compatibility across different environments. The fallback happens automatically, so you don't need to worry about it.
Development
# Clone the repository
git clone https://github.com/your-username/hippius-sdk.git
cd hippius-sdk
# Install dependencies
poetry install
# With encryption and clipboard support
poetry install -E clipboard
# Run tests
poetry run pytest
Testing Locally
You can test Hippius locally during development or before publishing to PyPI. Here's how to test both the SDK and CLI components:
1. Install in Development Mode
The easiest way to test everything together is to install the package in development mode:
# In the root directory of the project
poetry install
# With encryption and clipboard support
poetry install -E clipboard
This makes both the SDK and CLI available while still allowing you to make changes to the code.
2. Testing the CLI
After installing in development mode, you can run the CLI commands directly:
# Basic commands
hippius --help
hippius download QmCID123 output_file.txt
hippius keygen
# To see what commands would do without actually running them, add --verbose
hippius --verbose store myfile.txt
If you want to test CLI changes without reinstalling the package:
# Run the CLI module directly
python -m hippius_sdk.cli download QmCID123 output_file.txt
# Or make it executable and run it directly
chmod +x hippius_sdk/cli.py
./hippius_sdk/cli.py download QmCID123 output_file.txt
3. Testing the SDK
To test the SDK components, you can create a small test script:
# test_script.py
from hippius_sdk import HippiusClient
from dotenv import load_dotenv
import os
# Load environment variables
load_dotenv()
# Create a client
client = HippiusClient()
# Test a simple operation
print("Testing IPFS client...")
try:
result = client.exists("QmZ4tDuvesekSs4qM5ZBKpXiZGun7S2CYtEZRB3DYXkjGx")
print(f"Result: {result}")
except Exception as e:
print(f"Error: {e}")
Then run it:
python test_script.py
4. Running Unit Tests
You can use pytest to run the test suite:
# Run all tests
poetry run pytest
# Run specific tests
poetry run pytest tests/test_ipfs.py
# Run a specific test function
poetry run pytest tests/test_ipfs.py::test_upload_file
5. Building and Testing the Package
If you want to test the exact package that will be uploaded to PyPI:
# Build the package
poetry build
# Install the built package in a virtual environment
python -m venv test_env
source test_env/bin/activate # On Windows: test_env\Scripts\activate
pip install dist/hippius-0.1.0-py3-none-any.whl
# Test the installed package
hippius --help
Troubleshooting Local Testing
-
IPFS Connection Issues: Make sure you have either:
- A local IPFS daemon running (
ipfs daemonin a separate terminal) - Or proper environment variables set in
.envfor remote connections
- A local IPFS daemon running (
-
Missing Dependencies: If you get import errors, ensure all dependencies are installed:
poetry install --all-extras
-
CLI Not Found: If the
hippiuscommand isn't found after installing, try:# Verify it's installed poetry show hippius # Check your PATH which hippius
-
Substrate Issues: For marketplace operations, make sure your
.envhas the correctSUBSTRATE_SEED_PHRASEandSUBSTRATE_URLvalues.
Contributing
Contributions are welcome! Please feel free to submit a Pull Request.
License
This project is licensed under the MIT License - see the LICENSE file 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 Distribution
Built Distribution
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 hippius-0.1.0.tar.gz.
File metadata
- Download URL: hippius-0.1.0.tar.gz
- Upload date:
- Size: 27.4 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.5.1 CPython/3.10.16 Linux/6.8.0-1021-azure
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
f42ab08e102e391b6659c2ebe9d6c5fdb39a335b116f3180da84a76d562be8ef
|
|
| MD5 |
833dd988d7aa7410943dfc18e7a76936
|
|
| BLAKE2b-256 |
601598f5a1afb8b8ba4b12e061b4824108f043e71dc4a0749be88bc4bf25587a
|
File details
Details for the file hippius-0.1.0-py3-none-any.whl.
File metadata
- Download URL: hippius-0.1.0-py3-none-any.whl
- Upload date:
- Size: 27.3 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: poetry/1.5.1 CPython/3.10.16 Linux/6.8.0-1021-azure
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
6f8ef8959c0ecb9a66ba20661902989bfd97457adf9d5528b73c5212130e5aed
|
|
| MD5 |
21f93bd14557b6f68cb6d6c14932591a
|
|
| BLAKE2b-256 |
6b7a071970312ba7903b95821e6ef21ef971532230ae98b8a97a2622e4472092
|