# AxiomTradeAPI-py
<div align="center">
[](https://badge.fury.io/py/axiomtradeapi)
[](https://www.python.org/downloads/release/python-380/)
[](https://opensource.org/licenses/MIT)
[](https://chipadevteam.github.io/AxiomTradeAPI-py)
**The Professional Python SDK for Solana Trading on Axiom Trade**
*Build advanced trading bots, monitor portfolios, and automate Solana DeFi strategies with enterprise-grade reliability*
[📚 **Documentation**](https://chipadevteam.github.io/AxiomTradeAPI-py) • [🚀 **Quick Start**](#quick-start) • [💬 **Discord**](https://discord.gg/p7YyFqSmAz) • [🛒 **Professional Services**](https://shop.chipatrade.com/products/create-your-bot?variant=42924637487206)
</div>
---
## 🌟 Why AxiomTradeAPI-py?
AxiomTradeAPI-py is the **most comprehensive Python library** for Solana trading automation, trusted by professional traders and DeFi developers worldwide. Whether you're building trading bots, portfolio trackers, or DeFi analytics tools, our SDK provides everything you need.
### ⚡ Key Features
| Feature | Description | Use Case |
|---------|-------------|----------|
| 🚀 **Real-time WebSocket** | Sub-millisecond token updates | Token sniping, live monitoring |
| 📊 **Portfolio Tracking** | Multi-wallet balance monitoring | Portfolio management, analytics |
| 🤖 **Trading Automation** | Advanced bot frameworks | Automated trading strategies |
| 🔐 **Enterprise Security** | Production-grade authentication | Secure API access |
| 📈 **Market Data** | Comprehensive Solana market info | Price feeds, volume analysis |
| 🛡️ **Risk Management** | Built-in trading safeguards | Position sizing, loss limits |
## 🚀 Quick Start
### Installation
```bash
# Install from PyPI
pip install axiomtradeapi
# Or install with development dependencies
pip install axiomtradeapi[dev]
# Verify installation
python -c "from axiomtradeapi import AxiomTradeClient; print('✅ Installation successful!')"
```
### Basic Usage
#### New Token-Based Authentication (Recommended)
```python
from axiomtradeapi import AxiomTradeClient
# Initialize client (no credentials required in constructor)
client = AxiomTradeClient()
# Method 1: Login to get tokens
tokens = client.login(
email="your_email@example.com",
b64_password="your_base64_encoded_password",
otp_code="123456" # OTP from email
)
print(f"Access Token: {tokens['access_token']}")
print(f"Refresh Token: {tokens['refresh_token']}")
# Method 2: Use existing tokens
client.set_tokens(
access_token="your_access_token_here",
refresh_token="your_refresh_token_here"
)
# Use the API
if client.is_authenticated():
trending = client.get_trending_tokens('1h')
print(f"Found {len(trending.get('tokens', []))} trending tokens")
```
#### Environment Variables (Production)
```python
import os
from axiomtradeapi import AxiomTradeClient
# Secure authentication with environment variables
client = AxiomTradeClient()
client.set_tokens(
access_token=os.getenv('AXIOM_ACCESS_TOKEN'),
refresh_token=os.getenv('AXIOM_REFRESH_TOKEN')
)
# Your trading logic here
portfolio = client.get_user_portfolio()
```
### Advanced Features
#### Real-time Token Monitoring
```python
import asyncio
from axiomtradeapi import AxiomTradeClient
async def token_monitor():
client = AxiomTradeClient(
auth_token="your-auth-token",
refresh_token="your-refresh-token"
)
async def handle_new_tokens(tokens):
for token in tokens:
print(f"🚨 New Token: {token['tokenName']} - ${token['marketCapSol']} SOL")
await client.subscribe_new_tokens(handle_new_tokens)
await client.ws.start()
# Run the monitor
asyncio.run(token_monitor())
```
#### Batch Portfolio Tracking
```python
# Monitor multiple wallets efficiently
wallets = [
"BJBgjyDZx5FSsyJf6bFKVXuJV7DZY9PCSMSi5d9tcEVh",
"Cpxu7gFhu3fDX1eG5ZVyiFoPmgxpLWiu5LhByNenVbPb",
"DsHk4F6QNTK6RdTmaDSKeFzGXMnQ9QxKTkDkG8XF8F4F"
]
balances = client.GetBatchedBalance(wallets)
total_sol = sum(b['sol'] for b in balances.values() if b)
print(f"📈 Total Portfolio: {total_sol:.6f} SOL")
```
## 📚 Comprehensive Documentation
Our documentation covers everything from basic setup to advanced trading strategies:
| Guide | Description | Skill Level |
|-------|-------------|-------------|
| [📥 **Installation**](https://chipadevteam.github.io/AxiomTradeAPI-py/installation/) | Setup, requirements, troubleshooting | Beginner |
| [🔐 **Authentication**](https://chipadevteam.github.io/AxiomTradeAPI-py/authentication/) | API keys, security, token management | Beginner |
| [💰 **Balance Queries**](https://chipadevteam.github.io/AxiomTradeAPI-py/balance-queries/) | Wallet monitoring, portfolio tracking | Intermediate |
| [📡 **WebSocket Guide**](https://chipadevteam.github.io/AxiomTradeAPI-py/websocket-guide/) | Real-time data, streaming APIs | Intermediate |
| [🤖 **Trading Bots**](https://chipadevteam.github.io/AxiomTradeAPI-py/trading-bots/) | Automated strategies, bot frameworks | Advanced |
| [⚡ **Performance**](https://chipadevteam.github.io/AxiomTradeAPI-py/performance/) | Optimization, scaling, monitoring | Advanced |
| [🛡️ **Security**](https://chipadevteam.github.io/AxiomTradeAPI-py/security/) | Best practices, secure deployment | All Levels |
## 🏆 Professional Use Cases
### 🎯 Token Sniping Bots
```python
# High-speed token acquisition on new launches
class TokenSniperBot:
def __init__(self):
self.client = AxiomTradeClient(auth_token="...")
self.min_liquidity = 10.0 # SOL
self.target_profit = 0.20 # 20%
async def analyze_token(self, token_data):
if token_data['liquiditySol'] > self.min_liquidity:
return await self.execute_snipe(token_data)
```
### 📊 DeFi Portfolio Analytics
```python
# Track yield farming and LP positions
class DeFiTracker:
def track_yields(self, positions):
total_yield = 0
for position in positions:
balance = self.client.GetBalance(position['wallet'])
yield_pct = (balance['sol'] - position['initial']) / position['initial']
total_yield += yield_pct
return total_yield
```
### 🔄 Arbitrage Detection
```python
# Find profitable price differences across DEXs
class ArbitrageBot:
def scan_opportunities(self):
# Compare prices across Raydium, Orca, Serum
opportunities = self.find_price_differences()
return [op for op in opportunities if op['profit'] > 0.005] # 0.5%
```
## 🛠️ Development & Contribution
### Development Setup
```bash
# Clone repository
git clone https://github.com/ChipaDevTeam/AxiomTradeAPI-py.git
cd AxiomTradeAPI-py
# Create virtual environment
python -m venv venv
source venv/bin/activate # On Windows: venv\Scripts\activate
# Install development dependencies
pip install -e .[dev]
# Run tests
pytest tests/
```
### Testing Your Installation
```python
#!/usr/bin/env python3
"""Test script to verify AxiomTradeAPI-py installation"""
async def test_installation():
from axiomtradeapi import AxiomTradeClient
client = AxiomTradeClient()
test_wallet = "BJBgjyDZx5FSsyJf6bFKVXuJV7DZY9PCSMSi5d9tcEVh"
try:
balance = client.GetBalance(test_wallet)
print(f"✅ API Test Passed: {balance['sol']} SOL")
return True
except Exception as e:
print(f"❌ API Test Failed: {e}")
return False
# Run test
import asyncio
if asyncio.run(test_installation()):
print("🎉 AxiomTradeAPI-py is ready for use!")
```
## 🌟 Community & Support
<div align="center">
### Join Our Growing Community
[](https://discord.gg/p7YyFqSmAz)
[](https://twitter.com/chipa_tech)
[](https://github.com/ChipaDevTeam/AxiomTradeAPI-py)
**📈 Learn from Successful Traders** • **🛠️ Get Technical Support** • **💡 Share Strategies** • **🚀 Access Premium Content**
</div>
### Professional Services
Need a custom trading solution? Our team of expert developers can build:
- 🤖 **Custom Trading Bots** - Tailored to your strategy
- 📊 **Portfolio Analytics** - Advanced tracking and reporting
- 🔄 **Multi-Exchange Integration** - Cross-platform trading
- 🛡️ **Enterprise Security** - Production-grade deployment
[**Get Professional Help →**](https://shop.chipatrade.com/products/create-your-bot?variant=42924637487206)
## 📊 Performance Benchmarks
Our SDK is optimized for professional trading applications:
| Metric | Performance | Industry Standard |
|--------|-------------|------------------|
| Balance Query Speed | < 50ms | < 200ms |
| WebSocket Latency | < 10ms | < 50ms |
| Batch Operations | 1000+ wallets/request | 100 wallets/request |
| Memory Usage | < 30MB | < 100MB |
| Uptime | 99.9%+ | 99.5%+ |
## 🔧 Configuration Options
### Environment Variables
```bash
# Authentication
export AXIOM_AUTH_TOKEN="your-auth-token"
export AXIOM_REFRESH_TOKEN="your-refresh-token"
# API Configuration
export AXIOM_API_TIMEOUT=30
export AXIOM_MAX_RETRIES=3
export AXIOM_LOG_LEVEL=INFO
# WebSocket Settings
export AXIOM_WS_RECONNECT_DELAY=5
export AXIOM_WS_MAX_RECONNECTS=10
```
### Client Configuration
```python
client = AxiomTradeClient(
auth_token="...",
refresh_token="...",
timeout=30,
max_retries=3,
log_level=logging.INFO,
rate_limit={"requests": 100, "window": 60} # 100 requests per minute
)
```
## 🚨 Important Disclaimers
⚠️ **Trading Risk Warning**: Cryptocurrency trading involves substantial risk of loss. Never invest more than you can afford to lose.
🔐 **Security Notice**: Always secure your API keys and never commit them to version control.
📊 **No Financial Advice**: This software is for educational and development purposes. We provide tools, not trading advice.
## 📄 License & Legal
This project is licensed under the **MIT License** - see the [LICENSE](LICENSE) file for details.
- ✅ **Commercial Use Allowed**
- ✅ **Modification Allowed**
- ✅ **Distribution Allowed**
- ✅ **Private Use Allowed**
## 🙏 Acknowledgments
Special thanks to:
- The Solana Foundation for the robust blockchain infrastructure
- Axiom Trade for providing excellent API services
- Our community of developers and traders for continuous feedback
- All contributors who help improve this library
---
<div align="center">
**Built with ❤️ by the ChipaDevTeam**
[Website](https://chipa.tech) • [Documentation](https://chipadevteam.github.io/AxiomTradeAPI-py) • [Discord](https://discord.gg/p7YyFqSmAz) • [Professional Services](https://shop.chipatrade.com/products/create-your-bot)
*⭐ Star this repository if you find it useful!*
</div>
Raw data
{
"_id": null,
"home_page": "https://github.com/ChipaDevTeam/AxiomTradeAPI-py",
"name": "axiomtradeapi",
"maintainer": null,
"docs_url": null,
"requires_python": ">=3.7",
"maintainer_email": null,
"keywords": "axiom trade solana crypto trading api websocket telegram bot",
"author": "ChipaDevTeam",
"author_email": null,
"download_url": "https://files.pythonhosted.org/packages/6c/2c/b4f0521a47aa243c1e3fff120b44abc1cbacdfd38eb9edb0c73e4b774856/axiomtradeapi-0.2.0.tar.gz",
"platform": null,
"description": "# AxiomTradeAPI-py\n\n<div align=\"center\">\n\n[](https://badge.fury.io/py/axiomtradeapi)\n[](https://www.python.org/downloads/release/python-380/)\n[](https://opensource.org/licenses/MIT)\n[](https://chipadevteam.github.io/AxiomTradeAPI-py)\n\n**The Professional Python SDK for Solana Trading on Axiom Trade**\n\n*Build advanced trading bots, monitor portfolios, and automate Solana DeFi strategies with enterprise-grade reliability*\n\n[\ud83d\udcda **Documentation**](https://chipadevteam.github.io/AxiomTradeAPI-py) \u2022 [\ud83d\ude80 **Quick Start**](#quick-start) \u2022 [\ud83d\udcac **Discord**](https://discord.gg/p7YyFqSmAz) \u2022 [\ud83d\uded2 **Professional Services**](https://shop.chipatrade.com/products/create-your-bot?variant=42924637487206)\n\n</div>\n\n---\n\n## \ud83c\udf1f Why AxiomTradeAPI-py?\n\nAxiomTradeAPI-py is the **most comprehensive Python library** for Solana trading automation, trusted by professional traders and DeFi developers worldwide. Whether you're building trading bots, portfolio trackers, or DeFi analytics tools, our SDK provides everything you need.\n\n### \u26a1 Key Features\n\n| Feature | Description | Use Case |\n|---------|-------------|----------|\n| \ud83d\ude80 **Real-time WebSocket** | Sub-millisecond token updates | Token sniping, live monitoring |\n| \ud83d\udcca **Portfolio Tracking** | Multi-wallet balance monitoring | Portfolio management, analytics |\n| \ud83e\udd16 **Trading Automation** | Advanced bot frameworks | Automated trading strategies |\n| \ud83d\udd10 **Enterprise Security** | Production-grade authentication | Secure API access |\n| \ud83d\udcc8 **Market Data** | Comprehensive Solana market info | Price feeds, volume analysis |\n| \ud83d\udee1\ufe0f **Risk Management** | Built-in trading safeguards | Position sizing, loss limits |\n\n## \ud83d\ude80 Quick Start\n\n### Installation\n\n```bash\n# Install from PyPI\npip install axiomtradeapi\n\n# Or install with development dependencies\npip install axiomtradeapi[dev]\n\n# Verify installation\npython -c \"from axiomtradeapi import AxiomTradeClient; print('\u2705 Installation successful!')\"\n```\n\n### Basic Usage\n\n#### New Token-Based Authentication (Recommended)\n\n```python\nfrom axiomtradeapi import AxiomTradeClient\n\n# Initialize client (no credentials required in constructor)\nclient = AxiomTradeClient()\n\n# Method 1: Login to get tokens\ntokens = client.login(\n email=\"your_email@example.com\",\n b64_password=\"your_base64_encoded_password\", \n otp_code=\"123456\" # OTP from email\n)\n\nprint(f\"Access Token: {tokens['access_token']}\")\nprint(f\"Refresh Token: {tokens['refresh_token']}\")\n\n# Method 2: Use existing tokens\nclient.set_tokens(\n access_token=\"your_access_token_here\",\n refresh_token=\"your_refresh_token_here\"\n)\n\n# Use the API\nif client.is_authenticated():\n trending = client.get_trending_tokens('1h')\n print(f\"Found {len(trending.get('tokens', []))} trending tokens\")\n```\n\n#### Environment Variables (Production)\n\n```python\nimport os\nfrom axiomtradeapi import AxiomTradeClient\n\n# Secure authentication with environment variables\nclient = AxiomTradeClient()\nclient.set_tokens(\n access_token=os.getenv('AXIOM_ACCESS_TOKEN'),\n refresh_token=os.getenv('AXIOM_REFRESH_TOKEN')\n)\n\n# Your trading logic here\nportfolio = client.get_user_portfolio()\n```\n\n### Advanced Features\n\n#### Real-time Token Monitoring\n```python\nimport asyncio\nfrom axiomtradeapi import AxiomTradeClient\n\nasync def token_monitor():\n client = AxiomTradeClient(\n auth_token=\"your-auth-token\",\n refresh_token=\"your-refresh-token\"\n )\n \n async def handle_new_tokens(tokens):\n for token in tokens:\n print(f\"\ud83d\udea8 New Token: {token['tokenName']} - ${token['marketCapSol']} SOL\")\n \n await client.subscribe_new_tokens(handle_new_tokens)\n await client.ws.start()\n\n# Run the monitor\nasyncio.run(token_monitor())\n```\n\n#### Batch Portfolio Tracking\n```python\n# Monitor multiple wallets efficiently\nwallets = [\n \"BJBgjyDZx5FSsyJf6bFKVXuJV7DZY9PCSMSi5d9tcEVh\",\n \"Cpxu7gFhu3fDX1eG5ZVyiFoPmgxpLWiu5LhByNenVbPb\",\n \"DsHk4F6QNTK6RdTmaDSKeFzGXMnQ9QxKTkDkG8XF8F4F\"\n]\n\nbalances = client.GetBatchedBalance(wallets)\ntotal_sol = sum(b['sol'] for b in balances.values() if b)\nprint(f\"\ud83d\udcc8 Total Portfolio: {total_sol:.6f} SOL\")\n```\n\n## \ud83d\udcda Comprehensive Documentation\n\nOur documentation covers everything from basic setup to advanced trading strategies:\n\n| Guide | Description | Skill Level |\n|-------|-------------|-------------|\n| [\ud83d\udce5 **Installation**](https://chipadevteam.github.io/AxiomTradeAPI-py/installation/) | Setup, requirements, troubleshooting | Beginner |\n| [\ud83d\udd10 **Authentication**](https://chipadevteam.github.io/AxiomTradeAPI-py/authentication/) | API keys, security, token management | Beginner |\n| [\ud83d\udcb0 **Balance Queries**](https://chipadevteam.github.io/AxiomTradeAPI-py/balance-queries/) | Wallet monitoring, portfolio tracking | Intermediate |\n| [\ud83d\udce1 **WebSocket Guide**](https://chipadevteam.github.io/AxiomTradeAPI-py/websocket-guide/) | Real-time data, streaming APIs | Intermediate |\n| [\ud83e\udd16 **Trading Bots**](https://chipadevteam.github.io/AxiomTradeAPI-py/trading-bots/) | Automated strategies, bot frameworks | Advanced |\n| [\u26a1 **Performance**](https://chipadevteam.github.io/AxiomTradeAPI-py/performance/) | Optimization, scaling, monitoring | Advanced |\n| [\ud83d\udee1\ufe0f **Security**](https://chipadevteam.github.io/AxiomTradeAPI-py/security/) | Best practices, secure deployment | All Levels |\n\n## \ud83c\udfc6 Professional Use Cases\n\n### \ud83c\udfaf Token Sniping Bots\n```python\n# High-speed token acquisition on new launches\nclass TokenSniperBot:\n def __init__(self):\n self.client = AxiomTradeClient(auth_token=\"...\")\n self.min_liquidity = 10.0 # SOL\n self.target_profit = 0.20 # 20%\n \n async def analyze_token(self, token_data):\n if token_data['liquiditySol'] > self.min_liquidity:\n return await self.execute_snipe(token_data)\n```\n\n### \ud83d\udcca DeFi Portfolio Analytics\n```python\n# Track yield farming and LP positions\nclass DeFiTracker:\n def track_yields(self, positions):\n total_yield = 0\n for position in positions:\n balance = self.client.GetBalance(position['wallet'])\n yield_pct = (balance['sol'] - position['initial']) / position['initial']\n total_yield += yield_pct\n return total_yield\n```\n\n### \ud83d\udd04 Arbitrage Detection\n```python\n# Find profitable price differences across DEXs\nclass ArbitrageBot:\n def scan_opportunities(self):\n # Compare prices across Raydium, Orca, Serum\n opportunities = self.find_price_differences()\n return [op for op in opportunities if op['profit'] > 0.005] # 0.5%\n```\n\n## \ud83d\udee0\ufe0f Development & Contribution\n\n### Development Setup\n```bash\n# Clone repository\ngit clone https://github.com/ChipaDevTeam/AxiomTradeAPI-py.git\ncd AxiomTradeAPI-py\n\n# Create virtual environment\npython -m venv venv\nsource venv/bin/activate # On Windows: venv\\Scripts\\activate\n\n# Install development dependencies\npip install -e .[dev]\n\n# Run tests\npytest tests/\n```\n\n### Testing Your Installation\n```python\n#!/usr/bin/env python3\n\"\"\"Test script to verify AxiomTradeAPI-py installation\"\"\"\n\nasync def test_installation():\n from axiomtradeapi import AxiomTradeClient\n \n client = AxiomTradeClient()\n test_wallet = \"BJBgjyDZx5FSsyJf6bFKVXuJV7DZY9PCSMSi5d9tcEVh\"\n \n try:\n balance = client.GetBalance(test_wallet)\n print(f\"\u2705 API Test Passed: {balance['sol']} SOL\")\n return True\n except Exception as e:\n print(f\"\u274c API Test Failed: {e}\")\n return False\n\n# Run test\nimport asyncio\nif asyncio.run(test_installation()):\n print(\"\ud83c\udf89 AxiomTradeAPI-py is ready for use!\")\n```\n\n## \ud83c\udf1f Community & Support\n\n<div align=\"center\">\n\n### Join Our Growing Community\n\n[](https://discord.gg/p7YyFqSmAz)\n[](https://twitter.com/chipa_tech)\n[](https://github.com/ChipaDevTeam/AxiomTradeAPI-py)\n\n**\ud83d\udcc8 Learn from Successful Traders** \u2022 **\ud83d\udee0\ufe0f Get Technical Support** \u2022 **\ud83d\udca1 Share Strategies** \u2022 **\ud83d\ude80 Access Premium Content**\n\n</div>\n\n### Professional Services\n\nNeed a custom trading solution? Our team of expert developers can build:\n\n- \ud83e\udd16 **Custom Trading Bots** - Tailored to your strategy\n- \ud83d\udcca **Portfolio Analytics** - Advanced tracking and reporting \n- \ud83d\udd04 **Multi-Exchange Integration** - Cross-platform trading\n- \ud83d\udee1\ufe0f **Enterprise Security** - Production-grade deployment\n\n[**Get Professional Help \u2192**](https://shop.chipatrade.com/products/create-your-bot?variant=42924637487206)\n\n## \ud83d\udcca Performance Benchmarks\n\nOur SDK is optimized for professional trading applications:\n\n| Metric | Performance | Industry Standard |\n|--------|-------------|------------------|\n| Balance Query Speed | < 50ms | < 200ms |\n| WebSocket Latency | < 10ms | < 50ms |\n| Batch Operations | 1000+ wallets/request | 100 wallets/request |\n| Memory Usage | < 30MB | < 100MB |\n| Uptime | 99.9%+ | 99.5%+ |\n\n## \ud83d\udd27 Configuration Options\n\n### Environment Variables\n```bash\n# Authentication\nexport AXIOM_AUTH_TOKEN=\"your-auth-token\"\nexport AXIOM_REFRESH_TOKEN=\"your-refresh-token\"\n\n# API Configuration\nexport AXIOM_API_TIMEOUT=30\nexport AXIOM_MAX_RETRIES=3\nexport AXIOM_LOG_LEVEL=INFO\n\n# WebSocket Settings\nexport AXIOM_WS_RECONNECT_DELAY=5\nexport AXIOM_WS_MAX_RECONNECTS=10\n```\n\n### Client Configuration\n```python\nclient = AxiomTradeClient(\n auth_token=\"...\",\n refresh_token=\"...\",\n timeout=30,\n max_retries=3,\n log_level=logging.INFO,\n rate_limit={\"requests\": 100, \"window\": 60} # 100 requests per minute\n)\n```\n\n## \ud83d\udea8 Important Disclaimers\n\n\u26a0\ufe0f **Trading Risk Warning**: Cryptocurrency trading involves substantial risk of loss. Never invest more than you can afford to lose.\n\n\ud83d\udd10 **Security Notice**: Always secure your API keys and never commit them to version control.\n\n\ud83d\udcca **No Financial Advice**: This software is for educational and development purposes. We provide tools, not trading advice.\n\n## \ud83d\udcc4 License & Legal\n\nThis project is licensed under the **MIT License** - see the [LICENSE](LICENSE) file for details.\n\n- \u2705 **Commercial Use Allowed**\n- \u2705 **Modification Allowed** \n- \u2705 **Distribution Allowed**\n- \u2705 **Private Use Allowed**\n\n## \ud83d\ude4f Acknowledgments\n\nSpecial thanks to:\n- The Solana Foundation for the robust blockchain infrastructure\n- Axiom Trade for providing excellent API services\n- Our community of developers and traders for continuous feedback\n- All contributors who help improve this library\n\n---\n\n<div align=\"center\">\n\n**Built with \u2764\ufe0f by the ChipaDevTeam**\n\n[Website](https://chipa.tech) \u2022 [Documentation](https://chipadevteam.github.io/AxiomTradeAPI-py) \u2022 [Discord](https://discord.gg/p7YyFqSmAz) \u2022 [Professional Services](https://shop.chipatrade.com/products/create-your-bot)\n\n*\u2b50 Star this repository if you find it useful!*\n\n</div>\n\n",
"bugtrack_url": null,
"license": "MIT",
"summary": "A Python client for the AxiomTrade API with token-based authentication, WebSocket support, and Telegram bot integration.",
"version": "0.2.0",
"project_urls": {
"Bug Reports": "https://github.com/ChipaDevTeam/AxiomTradeAPI-py/issues",
"Documentation": "https://chipadevteam.github.io/AxiomTradeAPI-py/",
"Homepage": "https://github.com/ChipaDevTeam/AxiomTradeAPI-py",
"Source": "https://github.com/ChipaDevTeam/AxiomTradeAPI-py"
},
"split_keywords": [
"axiom",
"trade",
"solana",
"crypto",
"trading",
"api",
"websocket",
"telegram",
"bot"
],
"urls": [
{
"comment_text": null,
"digests": {
"blake2b_256": "8efb912f8b7cc69414a133eb83d83cc9d20d17a9896fd7c10336af8439a1c4a7",
"md5": "ae2698bf4df92441bbf9ed4d18dfd5c8",
"sha256": "21b4656aa6d4d232d771a0d10a64eecd8806d38398f5dddf7e7f34d4854b8192"
},
"downloads": -1,
"filename": "axiomtradeapi-0.2.0-py3-none-any.whl",
"has_sig": false,
"md5_digest": "ae2698bf4df92441bbf9ed4d18dfd5c8",
"packagetype": "bdist_wheel",
"python_version": "py3",
"requires_python": ">=3.7",
"size": 106050,
"upload_time": "2025-07-27T18:17:01",
"upload_time_iso_8601": "2025-07-27T18:17:01.793228Z",
"url": "https://files.pythonhosted.org/packages/8e/fb/912f8b7cc69414a133eb83d83cc9d20d17a9896fd7c10336af8439a1c4a7/axiomtradeapi-0.2.0-py3-none-any.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": null,
"digests": {
"blake2b_256": "6c2cb4f0521a47aa243c1e3fff120b44abc1cbacdfd38eb9edb0c73e4b774856",
"md5": "6c9e3f50090a87e35e7e882cbfd18018",
"sha256": "383d9dbc7f449e39fc466be2850b4eccf03a5ce7ddce4b54d3383f7db693b4a2"
},
"downloads": -1,
"filename": "axiomtradeapi-0.2.0.tar.gz",
"has_sig": false,
"md5_digest": "6c9e3f50090a87e35e7e882cbfd18018",
"packagetype": "sdist",
"python_version": "source",
"requires_python": ">=3.7",
"size": 75823,
"upload_time": "2025-07-27T18:17:03",
"upload_time_iso_8601": "2025-07-27T18:17:03.494630Z",
"url": "https://files.pythonhosted.org/packages/6c/2c/b4f0521a47aa243c1e3fff120b44abc1cbacdfd38eb9edb0c73e4b774856/axiomtradeapi-0.2.0.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2025-07-27 18:17:03",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "ChipaDevTeam",
"github_project": "AxiomTradeAPI-py",
"travis_ci": false,
"coveralls": false,
"github_actions": false,
"requirements": [
{
"name": "websockets",
"specs": [
[
"==",
"10.0"
]
]
},
{
"name": "python-dotenv",
"specs": []
},
{
"name": "solders",
"specs": []
},
{
"name": "requests",
"specs": [
[
">=",
"2.25.1"
]
]
},
{
"name": "base58",
"specs": [
[
">=",
"2.1.0"
]
]
}
],
"lcname": "axiomtradeapi"
}