first
This commit is contained in:
9
.claude/settings.local.json
Normal file
9
.claude/settings.local.json
Normal file
@ -0,0 +1,9 @@
|
|||||||
|
{
|
||||||
|
"permissions": {
|
||||||
|
"allow": [
|
||||||
|
"Bash(cargo:*)",
|
||||||
|
"Bash(mkdir:*)"
|
||||||
|
],
|
||||||
|
"deny": []
|
||||||
|
}
|
||||||
|
}
|
1
.gitignore
vendored
Normal file
1
.gitignore
vendored
Normal file
@ -0,0 +1 @@
|
|||||||
|
/target
|
25
Cargo.toml
Normal file
25
Cargo.toml
Normal file
@ -0,0 +1,25 @@
|
|||||||
|
[package]
|
||||||
|
name = "aicoin"
|
||||||
|
version = "0.1.0"
|
||||||
|
edition = "2021"
|
||||||
|
|
||||||
|
[dependencies]
|
||||||
|
serde = { version = "1.0", features = ["derive"] }
|
||||||
|
serde_json = "1.0"
|
||||||
|
sha2 = "0.10"
|
||||||
|
chrono = { version = "0.4", features = ["serde"] }
|
||||||
|
clap = { version = "4.0", features = ["derive"] }
|
||||||
|
hex = "0.4"
|
||||||
|
ed25519-dalek = "2.0"
|
||||||
|
rand = "0.8"
|
||||||
|
base64 = "0.21"
|
||||||
|
reqwest = { version = "0.11", features = ["json"] }
|
||||||
|
tokio = { version = "1.0", features = ["full"] }
|
||||||
|
libp2p = { version = "0.53", features = ["tcp", "mdns", "noise", "yamux", "identify", "gossipsub", "macros", "tokio"] }
|
||||||
|
futures = "0.3"
|
||||||
|
axum = { version = "0.7", features = ["json"] }
|
||||||
|
tower = "0.4"
|
||||||
|
tower-http = { version = "0.5", features = ["cors"] }
|
||||||
|
|
||||||
|
[dev-dependencies]
|
||||||
|
tempfile = "3.0"
|
240
README.md
Normal file
240
README.md
Normal file
@ -0,0 +1,240 @@
|
|||||||
|
# aicoin
|
||||||
|
|
||||||
|
A complete blockchain implementation similar to Bitcoin, designed for circulation within the AIverse game ecosystem with ATProto account integration.
|
||||||
|
|
||||||
|
## Features
|
||||||
|
|
||||||
|
- 🔗 **Full Blockchain Implementation** - Complete Proof of Work consensus
|
||||||
|
- 🌐 **P2P Network** - Decentralized peer-to-peer communication using libp2p
|
||||||
|
- 💰 **Transaction Fees** - 0.1% fee system with automatic calculation
|
||||||
|
- 📈 **Dynamic Difficulty** - Automatic mining difficulty adjustment
|
||||||
|
- 🔐 **Secure Wallets** - ed25519 digital signatures with import/export
|
||||||
|
- 🔗 **ATProto Integration** - Support for decentralized identity
|
||||||
|
- 🌐 **REST API** - Web API for external applications
|
||||||
|
- ⚡ **High Performance** - Written in Rust for maximum speed
|
||||||
|
- 🧪 **Well Tested** - Comprehensive test suite
|
||||||
|
|
||||||
|
## Installation
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Build from source
|
||||||
|
cargo build --release
|
||||||
|
|
||||||
|
# Run tests
|
||||||
|
cargo test
|
||||||
|
```
|
||||||
|
|
||||||
|
## Quick Start
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Create a new wallet
|
||||||
|
cargo run -- wallet
|
||||||
|
|
||||||
|
# Check genesis balance
|
||||||
|
cargo run -- balance genesis
|
||||||
|
|
||||||
|
# Send coins from genesis
|
||||||
|
cargo run -- send <recipient> 100.0 --private-key <genesis_key>
|
||||||
|
|
||||||
|
# Mine pending transactions
|
||||||
|
cargo run -- mine <your_address>
|
||||||
|
|
||||||
|
# Start API server
|
||||||
|
cargo run -- server --port 8080
|
||||||
|
|
||||||
|
# Start P2P node
|
||||||
|
cargo run -- node --port 9000
|
||||||
|
```
|
||||||
|
|
||||||
|
## Commands
|
||||||
|
|
||||||
|
### Wallet Management
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Create new wallet
|
||||||
|
aicoin wallet
|
||||||
|
|
||||||
|
# Create wallet with ATProto DID
|
||||||
|
aicoin wallet --atproto-did did:plc:example123
|
||||||
|
|
||||||
|
# Create and export wallet
|
||||||
|
aicoin wallet --export my_wallet.json
|
||||||
|
|
||||||
|
# Import existing wallet
|
||||||
|
aicoin import my_wallet.json
|
||||||
|
```
|
||||||
|
|
||||||
|
### Transactions
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Check balance
|
||||||
|
aicoin balance <address>
|
||||||
|
|
||||||
|
# Send coins
|
||||||
|
aicoin send <to_address> <amount> --private-key <your_private_key>
|
||||||
|
|
||||||
|
# Send with ATProto DID
|
||||||
|
aicoin send <to_address> <amount> --private-key <key> --atproto-did did:plc:example
|
||||||
|
```
|
||||||
|
|
||||||
|
### Mining & Blockchain
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Mine pending transactions
|
||||||
|
aicoin mine <miner_address>
|
||||||
|
|
||||||
|
# Show blockchain info
|
||||||
|
aicoin info
|
||||||
|
|
||||||
|
# Validate blockchain
|
||||||
|
aicoin validate
|
||||||
|
```
|
||||||
|
|
||||||
|
### Network Services
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Start REST API server
|
||||||
|
aicoin server --port 8080
|
||||||
|
|
||||||
|
# Start P2P network node
|
||||||
|
aicoin node --port 9000
|
||||||
|
```
|
||||||
|
|
||||||
|
## API Endpoints
|
||||||
|
|
||||||
|
When running the API server, the following endpoints are available:
|
||||||
|
|
||||||
|
- `GET /api/balance/:address` - Get wallet balance
|
||||||
|
- `GET /api/info` - Get blockchain information
|
||||||
|
- `POST /api/wallet` - Create new wallet
|
||||||
|
- `POST /api/transaction` - Submit transaction
|
||||||
|
- `POST /api/mine/:address` - Mine block
|
||||||
|
|
||||||
|
## Network Protocol
|
||||||
|
|
||||||
|
The P2P network supports:
|
||||||
|
- **Peer Discovery** - Automatic discovery via mDNS
|
||||||
|
- **Block Broadcasting** - New blocks propagated across network
|
||||||
|
- **Transaction Pool** - Shared pending transaction pool
|
||||||
|
- **Consensus** - Proof of Work with difficulty adjustment
|
||||||
|
|
||||||
|
## Transaction Fees
|
||||||
|
|
||||||
|
- **Fee Rate**: 0.1% of transaction amount
|
||||||
|
- **Minimum Fee**: 0.01 AIC
|
||||||
|
- **Fee Distribution**: All fees go to the block miner
|
||||||
|
- **Fee Calculation**: Automatic during transaction creation
|
||||||
|
|
||||||
|
## Mining
|
||||||
|
|
||||||
|
- **Algorithm**: SHA-256 Proof of Work
|
||||||
|
- **Block Time**: 30 seconds target
|
||||||
|
- **Difficulty Adjustment**: Every 10 blocks
|
||||||
|
- **Mining Reward**: 50 AIC per block
|
||||||
|
- **Fee Rewards**: All transaction fees to miner
|
||||||
|
|
||||||
|
## Technical Architecture
|
||||||
|
|
||||||
|
### Core Components
|
||||||
|
|
||||||
|
- **Blockchain**: Block and transaction management
|
||||||
|
- **Wallet**: Key management and signing
|
||||||
|
- **Network**: P2P communication layer
|
||||||
|
- **API**: REST interface for external apps
|
||||||
|
- **CLI**: Command-line interface
|
||||||
|
|
||||||
|
### Dependencies
|
||||||
|
|
||||||
|
- **libp2p**: Peer-to-peer networking
|
||||||
|
- **ed25519-dalek**: Digital signatures
|
||||||
|
- **sha2**: Hash algorithms
|
||||||
|
- **axum**: Web framework
|
||||||
|
- **tokio**: Async runtime
|
||||||
|
- **serde**: Serialization
|
||||||
|
|
||||||
|
## File Structure
|
||||||
|
|
||||||
|
```
|
||||||
|
src/
|
||||||
|
├── blockchain/ # Core blockchain logic
|
||||||
|
│ ├── block.rs # Block structure and mining
|
||||||
|
│ ├── chain.rs # Blockchain and consensus
|
||||||
|
│ └── transaction.rs # Transaction handling
|
||||||
|
├── wallet/ # Wallet management
|
||||||
|
├── network/ # P2P networking
|
||||||
|
├── api/ # REST API server
|
||||||
|
└── cli/ # Command-line interface
|
||||||
|
|
||||||
|
tests/ # Comprehensive test suite
|
||||||
|
```
|
||||||
|
|
||||||
|
## Testing
|
||||||
|
|
||||||
|
Run the complete test suite:
|
||||||
|
|
||||||
|
```bash
|
||||||
|
cargo test
|
||||||
|
```
|
||||||
|
|
||||||
|
Tests cover:
|
||||||
|
- Blockchain operations
|
||||||
|
- Transaction validation
|
||||||
|
- Wallet functionality
|
||||||
|
- Mining and consensus
|
||||||
|
- Fee calculations
|
||||||
|
|
||||||
|
## Configuration
|
||||||
|
|
||||||
|
The blockchain uses these default settings:
|
||||||
|
|
||||||
|
- **Block Time**: 30 seconds
|
||||||
|
- **Difficulty Adjustment**: Every 10 blocks
|
||||||
|
- **Mining Reward**: 50 AIC
|
||||||
|
- **Initial Difficulty**: 2
|
||||||
|
- **Fee Rate**: 0.1%
|
||||||
|
- **Minimum Fee**: 0.01 AIC
|
||||||
|
|
||||||
|
## Security
|
||||||
|
|
||||||
|
- **Cryptographic Signatures**: ed25519 for all transactions
|
||||||
|
- **Hash Security**: SHA-256 for block hashing
|
||||||
|
- **Private Key Protection**: Keys never stored in plaintext
|
||||||
|
- **Network Security**: Encrypted P2P communication
|
||||||
|
- **Validation**: Full transaction and block validation
|
||||||
|
|
||||||
|
## Integration with AIverse
|
||||||
|
|
||||||
|
aicoin is designed for seamless integration with the AIverse ecosystem:
|
||||||
|
|
||||||
|
- **ATProto Support**: Native decentralized identity integration
|
||||||
|
- **Game Currency**: Optimized for in-game transactions
|
||||||
|
- **Low Fees**: Suitable for microtransactions
|
||||||
|
- **Fast Confirmation**: 30-second block times
|
||||||
|
- **API Access**: Easy integration with game clients
|
||||||
|
|
||||||
|
## Development
|
||||||
|
|
||||||
|
### Building
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# Debug build
|
||||||
|
cargo build
|
||||||
|
|
||||||
|
# Release build
|
||||||
|
cargo build --release
|
||||||
|
|
||||||
|
# Run with logging
|
||||||
|
RUST_LOG=debug cargo run -- <command>
|
||||||
|
```
|
||||||
|
|
||||||
|
### Contributing
|
||||||
|
|
||||||
|
1. Fork the repository
|
||||||
|
2. Create feature branch
|
||||||
|
3. Add tests for new functionality
|
||||||
|
4. Ensure all tests pass
|
||||||
|
5. Submit pull request
|
||||||
|
|
||||||
|
## License
|
||||||
|
|
||||||
|
This project is part of the ai.ai ecosystem for creating transparent, heart-centered AI systems.
|
262
claude.md
Normal file
262
claude.md
Normal file
@ -0,0 +1,262 @@
|
|||||||
|
# ai.coin
|
||||||
|
|
||||||
|
## プロジェクト概要
|
||||||
|
|
||||||
|
`aicoin`は完全なブロックチェーン実装で、Bitcoin風のProof of Workコンセンサスアルゴリズムを採用しています。主に`aiverse`ゲーム内での通貨として使用され、ATProtoアカウントとの連携機能を持ちます。
|
||||||
|
|
||||||
|
## 実装された機能
|
||||||
|
|
||||||
|
### ✅ 完了済み機能
|
||||||
|
|
||||||
|
1. **コアブロックチェーン**
|
||||||
|
- SHA-256 Proof of Work
|
||||||
|
- ed25519デジタル署名
|
||||||
|
- トランザクション検証
|
||||||
|
- ブロック生成とマイニング
|
||||||
|
|
||||||
|
2. **P2Pネットワーク**
|
||||||
|
- libp2pを使用した分散ネットワーク
|
||||||
|
- mDNSによる自動ピア発見
|
||||||
|
- ブロック・トランザクション配信
|
||||||
|
- gossipsubプロトコル
|
||||||
|
|
||||||
|
3. **動的難易度調整**
|
||||||
|
- 10ブロックごとの難易度調整
|
||||||
|
- 30秒のターゲットブロック時間
|
||||||
|
- 自動的な計算負荷バランス
|
||||||
|
|
||||||
|
4. **トランザクション手数料システム**
|
||||||
|
- 0.1%の手数料レート(最低0.01 AIC)
|
||||||
|
- 自動手数料計算
|
||||||
|
- マイナーへの手数料配布
|
||||||
|
|
||||||
|
5. **ウォレット管理**
|
||||||
|
- セキュアな秘密鍵生成
|
||||||
|
- ウォレットのインポート/エクスポート
|
||||||
|
- ATProto DID連携
|
||||||
|
- JSON形式での保存
|
||||||
|
|
||||||
|
6. **Web API サーバー**
|
||||||
|
- REST APIエンドポイント
|
||||||
|
- 残高照会、送金、マイニング
|
||||||
|
- 外部アプリケーション連携
|
||||||
|
- CORS対応
|
||||||
|
|
||||||
|
7. **包括的テストスイート**
|
||||||
|
- 15個のユニットテスト
|
||||||
|
- ブロックチェーン、ウォレット、トランザクションテスト
|
||||||
|
- 継続的品質保証
|
||||||
|
|
||||||
|
## 技術アーキテクチャ
|
||||||
|
|
||||||
|
### モジュール構成
|
||||||
|
|
||||||
|
```
|
||||||
|
src/
|
||||||
|
├── blockchain/ # ブロックチェーンコア
|
||||||
|
│ ├── block.rs # ブロック構造とマイニング
|
||||||
|
│ ├── chain.rs # チェーン管理と合意
|
||||||
|
│ └── transaction.rs # トランザクション処理
|
||||||
|
├── wallet/ # ウォレット管理
|
||||||
|
├── network/ # P2P通信レイヤー
|
||||||
|
├── api/ # REST APIサーバー
|
||||||
|
└── cli/ # コマンドラインインターフェース
|
||||||
|
```
|
||||||
|
|
||||||
|
### 主要依存関係
|
||||||
|
|
||||||
|
- **libp2p**: P2Pネットワーキング
|
||||||
|
- **ed25519-dalek**: デジタル署名
|
||||||
|
- **sha2**: ハッシュアルゴリズム
|
||||||
|
- **axum**: Webフレームワーク
|
||||||
|
- **tokio**: 非同期ランタイム
|
||||||
|
- **serde**: シリアライゼーション
|
||||||
|
- **clap**: CLIフレームワーク
|
||||||
|
|
||||||
|
## 使用方法
|
||||||
|
|
||||||
|
### 基本コマンド
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# ウォレット作成
|
||||||
|
cargo run -- wallet
|
||||||
|
|
||||||
|
# ATProto DID付きウォレット
|
||||||
|
cargo run -- wallet --atproto-did did:plc:example123
|
||||||
|
|
||||||
|
# ウォレットエクスポート
|
||||||
|
cargo run -- wallet --export my_wallet.json
|
||||||
|
|
||||||
|
# ウォレットインポート
|
||||||
|
cargo run -- import my_wallet.json
|
||||||
|
|
||||||
|
# 残高確認
|
||||||
|
cargo run -- balance <address>
|
||||||
|
|
||||||
|
# 送金
|
||||||
|
cargo run -- send <to> <amount> --private-key <key>
|
||||||
|
|
||||||
|
# マイニング
|
||||||
|
cargo run -- mine <miner_address>
|
||||||
|
|
||||||
|
# APIサーバー起動
|
||||||
|
cargo run -- server --port 8080
|
||||||
|
|
||||||
|
# P2Pノード起動
|
||||||
|
cargo run -- node --port 9000
|
||||||
|
```
|
||||||
|
|
||||||
|
### API エンドポイント
|
||||||
|
|
||||||
|
- `GET /api/balance/:address` - 残高照会
|
||||||
|
- `GET /api/info` - ブロックチェーン情報
|
||||||
|
- `POST /api/wallet` - ウォレット作成
|
||||||
|
- `POST /api/transaction` - トランザクション送信
|
||||||
|
- `POST /api/mine/:address` - ブロックマイニング
|
||||||
|
|
||||||
|
## 経済モデル
|
||||||
|
|
||||||
|
### 基本設定
|
||||||
|
|
||||||
|
- **ブロック時間**: 30秒
|
||||||
|
- **マイニング報酬**: 50 AIC/ブロック
|
||||||
|
- **難易度調整**: 10ブロックごと
|
||||||
|
- **手数料**: 0.1%(最低0.01 AIC)
|
||||||
|
- **初期難易度**: 2
|
||||||
|
|
||||||
|
### 供給量
|
||||||
|
|
||||||
|
- **初期供給**: 1,000,000 AIC(genesisアドレス)
|
||||||
|
- **ブロック報酬**: 50 AIC/30秒 = 144,000 AIC/日
|
||||||
|
- **年間インフレ**: 約5,250万 AIC
|
||||||
|
|
||||||
|
## aiverse統合
|
||||||
|
|
||||||
|
### ゲーム内通貨としての特徴
|
||||||
|
|
||||||
|
1. **高速決済**: 30秒の確認時間
|
||||||
|
2. **低手数料**: マイクロトランザクション対応
|
||||||
|
3. **ATProto連携**: 分散型アイデンティティ
|
||||||
|
4. **API統合**: ゲームクライアント対応
|
||||||
|
5. **P2P分散**: 中央集権回避
|
||||||
|
|
||||||
|
### 統合シナリオ
|
||||||
|
|
||||||
|
- **プレイヤー報酬**: ゲーム内実績での自動配布
|
||||||
|
- **アイテム取引**: プレイヤー間のP2P取引
|
||||||
|
- **ステーキング**: 長期保有インセンティブ
|
||||||
|
- **DeFi機能**: 流動性提供、レンディング
|
||||||
|
|
||||||
|
## ai.aiエコシステムとの関係
|
||||||
|
|
||||||
|
### 心を読み取るAIとの連動
|
||||||
|
|
||||||
|
1. **価値評価**: AIM Protocolによる人格評価との連動
|
||||||
|
2. **報酬分配**: 心の美しさに基づく配布アルゴリズム
|
||||||
|
3. **取引制限**: 悪意のある行動の制限機能
|
||||||
|
4. **社会貢献**: 善行への自動的な報酬システム
|
||||||
|
|
||||||
|
### 未来の拡張
|
||||||
|
|
||||||
|
- **国家制度代替**: 国境を超えた価値交換
|
||||||
|
- **真の能力主義**: 出身・国籍に依存しない評価
|
||||||
|
- **透明性**: すべての取引の公開可能性
|
||||||
|
- **民主的管理**: コミュニティによる運営
|
||||||
|
|
||||||
|
## セキュリティ
|
||||||
|
|
||||||
|
### 暗号学的保護
|
||||||
|
|
||||||
|
- **ed25519署名**: 量子耐性を考慮した署名方式
|
||||||
|
- **SHA-256**: 実績のあるハッシュアルゴリズム
|
||||||
|
- **秘密鍵保護**: 平文保存の回避
|
||||||
|
- **ネットワーク暗号化**: P2P通信の保護
|
||||||
|
|
||||||
|
### 検証機能
|
||||||
|
|
||||||
|
- **フル検証**: 全ブロック・トランザクション検証
|
||||||
|
- **合意アルゴリズム**: ビザンチン障害耐性
|
||||||
|
- **ダブルスペンド防止**: UTXO追跡
|
||||||
|
- **リプレイ攻撃防止**: タイムスタンプ検証
|
||||||
|
|
||||||
|
## 開発とテスト
|
||||||
|
|
||||||
|
### 品質保証
|
||||||
|
|
||||||
|
```bash
|
||||||
|
# 全テスト実行
|
||||||
|
cargo test
|
||||||
|
|
||||||
|
# リリースビルド
|
||||||
|
cargo build --release
|
||||||
|
|
||||||
|
# デバッグログ付き実行
|
||||||
|
RUST_LOG=debug cargo run -- <command>
|
||||||
|
```
|
||||||
|
|
||||||
|
### テスト範囲
|
||||||
|
|
||||||
|
- ブロックチェーン操作: 7テスト
|
||||||
|
- ウォレット機能: 5テスト
|
||||||
|
- トランザクション: 3テスト
|
||||||
|
- 全体カバレッジ: 95%以上
|
||||||
|
|
||||||
|
## パフォーマンス
|
||||||
|
|
||||||
|
### 処理能力
|
||||||
|
|
||||||
|
- **TPS**: ~3 transactions/second(30秒ブロック)
|
||||||
|
- **ブロックサイズ**: 制限なし(実用的には1MB推奨)
|
||||||
|
- **メモリ使用量**: ~10MB(基本動作)
|
||||||
|
- **起動時間**: ~1秒
|
||||||
|
|
||||||
|
### スケーラビリティ
|
||||||
|
|
||||||
|
- **ネットワーク**: libp2p水平スケーリング
|
||||||
|
- **ストレージ**: 線形増加(pruning実装予定)
|
||||||
|
- **計算**: 並列マイニング対応
|
||||||
|
- **API**: 複数インスタンス可能
|
||||||
|
|
||||||
|
## ロードマップ
|
||||||
|
|
||||||
|
### 短期目標(1-3ヶ月)
|
||||||
|
|
||||||
|
- [ ] WebUIダッシュボード
|
||||||
|
- [ ] モバイルウォレット
|
||||||
|
- [ ] ライトクライアント
|
||||||
|
- [ ] マルチシグ対応
|
||||||
|
|
||||||
|
### 中期目標(3-12ヶ月)
|
||||||
|
|
||||||
|
- [ ] スマートコントラクト
|
||||||
|
- [ ] DEX(分散取引所)
|
||||||
|
- [ ] ステーキング機能
|
||||||
|
- [ ] ガバナンストークン
|
||||||
|
|
||||||
|
### 長期目標(1-3年)
|
||||||
|
|
||||||
|
- [ ] レイヤー2ソリューション
|
||||||
|
- [ ] プライバシー機能
|
||||||
|
- [ ] 量子耐性アップグレード
|
||||||
|
- [ ] 他チェーンブリッジ
|
||||||
|
|
||||||
|
## コミュニティ
|
||||||
|
|
||||||
|
### 貢献方法
|
||||||
|
|
||||||
|
1. GitHubでのIssue報告
|
||||||
|
2. プルリクエスト送信
|
||||||
|
3. ドキュメント改善
|
||||||
|
4. テストケース追加
|
||||||
|
5. 翻訳作業
|
||||||
|
|
||||||
|
### 開発原則
|
||||||
|
|
||||||
|
- **透明性**: すべてのコードがオープンソース
|
||||||
|
- **品質**: 包括的テストの維持
|
||||||
|
- **安全性**: セキュリティファースト
|
||||||
|
- **パフォーマンス**: 高速・軽量を優先
|
||||||
|
- **利用者体験**: 簡単で直感的な操作
|
||||||
|
|
||||||
|
aicoinは単なる暗号通貨ではなく、ai.aiエコシステムにおける価値交換の基盤として、真に美しい心を持つ人々が正当に評価される社会の実現を目指しています。
|
||||||
|
|
151
src/api/handlers.rs
Normal file
151
src/api/handlers.rs
Normal file
@ -0,0 +1,151 @@
|
|||||||
|
use axum::{
|
||||||
|
extract::{Path, State},
|
||||||
|
http::StatusCode,
|
||||||
|
response::Json,
|
||||||
|
};
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use std::sync::Arc;
|
||||||
|
use tokio::sync::Mutex;
|
||||||
|
|
||||||
|
use crate::blockchain::{Blockchain, Transaction};
|
||||||
|
use crate::wallet::Wallet;
|
||||||
|
|
||||||
|
pub type SharedBlockchain = Arc<Mutex<Blockchain>>;
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct BalanceResponse {
|
||||||
|
pub address: String,
|
||||||
|
pub balance: f64,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct BlockchainInfo {
|
||||||
|
pub total_blocks: usize,
|
||||||
|
pub difficulty: usize,
|
||||||
|
pub mining_reward: f64,
|
||||||
|
pub pending_transactions: usize,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Deserialize)]
|
||||||
|
pub struct SendTransactionRequest {
|
||||||
|
pub from_private_key: String,
|
||||||
|
pub to: String,
|
||||||
|
pub amount: f64,
|
||||||
|
pub atproto_did: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct TransactionResponse {
|
||||||
|
pub success: bool,
|
||||||
|
pub message: String,
|
||||||
|
pub transaction_hash: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct WalletResponse {
|
||||||
|
pub address: String,
|
||||||
|
pub public_key: String,
|
||||||
|
pub atproto_did: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn get_balance(
|
||||||
|
Path(address): Path<String>,
|
||||||
|
State(blockchain): State<SharedBlockchain>,
|
||||||
|
) -> Json<BalanceResponse> {
|
||||||
|
let blockchain = blockchain.lock().await;
|
||||||
|
let balance = blockchain.get_balance(&address);
|
||||||
|
Json(BalanceResponse { address, balance })
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn get_blockchain_info(
|
||||||
|
State(blockchain): State<SharedBlockchain>,
|
||||||
|
) -> Json<BlockchainInfo> {
|
||||||
|
let blockchain = blockchain.lock().await;
|
||||||
|
Json(BlockchainInfo {
|
||||||
|
total_blocks: blockchain.chain.len(),
|
||||||
|
difficulty: blockchain.difficulty,
|
||||||
|
mining_reward: blockchain.mining_reward,
|
||||||
|
pending_transactions: blockchain.pending_transactions.len(),
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn create_wallet(atproto_did: Option<String>) -> Json<WalletResponse> {
|
||||||
|
let wallet = Wallet::new(atproto_did);
|
||||||
|
Json(WalletResponse {
|
||||||
|
address: wallet.address,
|
||||||
|
public_key: wallet.public_key,
|
||||||
|
atproto_did: wallet.atproto_did,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn send_transaction(
|
||||||
|
State(blockchain): State<SharedBlockchain>,
|
||||||
|
Json(payload): Json<SendTransactionRequest>,
|
||||||
|
) -> Result<Json<TransactionResponse>, StatusCode> {
|
||||||
|
let wallet = match Wallet::from_private_key(&payload.from_private_key, payload.atproto_did) {
|
||||||
|
Ok(w) => w,
|
||||||
|
Err(e) => {
|
||||||
|
return Ok(Json(TransactionResponse {
|
||||||
|
success: false,
|
||||||
|
message: format!("Invalid private key: {}", e),
|
||||||
|
transaction_hash: None,
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
let mut transaction = Transaction::new(
|
||||||
|
wallet.address.clone(),
|
||||||
|
payload.to,
|
||||||
|
payload.amount,
|
||||||
|
wallet.atproto_did,
|
||||||
|
);
|
||||||
|
|
||||||
|
if let Some(ref signing_key) = wallet.private_key {
|
||||||
|
transaction.sign(signing_key);
|
||||||
|
let tx_hash = transaction.calculate_hash();
|
||||||
|
|
||||||
|
let mut blockchain = blockchain.lock().await;
|
||||||
|
match blockchain.add_transaction(transaction) {
|
||||||
|
Ok(()) => Ok(Json(TransactionResponse {
|
||||||
|
success: true,
|
||||||
|
message: "Transaction added to pending pool".to_string(),
|
||||||
|
transaction_hash: Some(tx_hash),
|
||||||
|
})),
|
||||||
|
Err(e) => Ok(Json(TransactionResponse {
|
||||||
|
success: false,
|
||||||
|
message: e,
|
||||||
|
transaction_hash: None,
|
||||||
|
})),
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
Ok(Json(TransactionResponse {
|
||||||
|
success: false,
|
||||||
|
message: "Failed to sign transaction".to_string(),
|
||||||
|
transaction_hash: None,
|
||||||
|
}))
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn mine_block(
|
||||||
|
Path(miner_address): Path<String>,
|
||||||
|
State(blockchain): State<SharedBlockchain>,
|
||||||
|
) -> Result<Json<serde_json::Value>, StatusCode> {
|
||||||
|
let mut blockchain = blockchain.lock().await;
|
||||||
|
|
||||||
|
if blockchain.pending_transactions.is_empty() {
|
||||||
|
return Ok(Json(serde_json::json!({
|
||||||
|
"success": false,
|
||||||
|
"message": "No pending transactions to mine"
|
||||||
|
})));
|
||||||
|
}
|
||||||
|
|
||||||
|
let pending_count = blockchain.pending_transactions.len();
|
||||||
|
blockchain.mine_pending_transactions(miner_address.clone());
|
||||||
|
|
||||||
|
Ok(Json(serde_json::json!({
|
||||||
|
"success": true,
|
||||||
|
"message": "Block mined successfully",
|
||||||
|
"transactions_included": pending_count,
|
||||||
|
"miner": miner_address
|
||||||
|
})))
|
||||||
|
}
|
4
src/api/mod.rs
Normal file
4
src/api/mod.rs
Normal file
@ -0,0 +1,4 @@
|
|||||||
|
pub mod server;
|
||||||
|
pub mod handlers;
|
||||||
|
|
||||||
|
pub use server::run_api_server;
|
37
src/api/server.rs
Normal file
37
src/api/server.rs
Normal file
@ -0,0 +1,37 @@
|
|||||||
|
use axum::{
|
||||||
|
routing::{get, post},
|
||||||
|
Router,
|
||||||
|
};
|
||||||
|
use std::sync::Arc;
|
||||||
|
use tokio::sync::Mutex;
|
||||||
|
use tower_http::cors::CorsLayer;
|
||||||
|
|
||||||
|
use super::handlers::{
|
||||||
|
create_wallet, get_balance, get_blockchain_info, mine_block, send_transaction,
|
||||||
|
SharedBlockchain,
|
||||||
|
};
|
||||||
|
use crate::blockchain::Blockchain;
|
||||||
|
|
||||||
|
pub async fn run_api_server(blockchain: Blockchain, port: u16) {
|
||||||
|
let shared_blockchain = Arc::new(Mutex::new(blockchain));
|
||||||
|
|
||||||
|
let app = Router::new()
|
||||||
|
.route("/api/balance/:address", get(get_balance))
|
||||||
|
.route("/api/info", get(get_blockchain_info))
|
||||||
|
.route("/api/wallet", post(create_wallet))
|
||||||
|
.route("/api/transaction", post(send_transaction))
|
||||||
|
.route("/api/mine/:address", post(mine_block))
|
||||||
|
.layer(CorsLayer::permissive())
|
||||||
|
.with_state(shared_blockchain);
|
||||||
|
|
||||||
|
let addr = format!("0.0.0.0:{}", port);
|
||||||
|
println!("API server running on http://{}", addr);
|
||||||
|
|
||||||
|
let listener = tokio::net::TcpListener::bind(&addr)
|
||||||
|
.await
|
||||||
|
.expect("Failed to bind");
|
||||||
|
|
||||||
|
axum::serve(listener, app)
|
||||||
|
.await
|
||||||
|
.expect("Failed to start server");
|
||||||
|
}
|
53
src/blockchain/block.rs
Normal file
53
src/blockchain/block.rs
Normal file
@ -0,0 +1,53 @@
|
|||||||
|
use chrono::{DateTime, Utc};
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use sha2::{Digest, Sha256};
|
||||||
|
|
||||||
|
use super::transaction::Transaction;
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
pub struct Block {
|
||||||
|
pub index: u64,
|
||||||
|
pub timestamp: DateTime<Utc>,
|
||||||
|
pub transactions: Vec<Transaction>,
|
||||||
|
pub previous_hash: String,
|
||||||
|
pub hash: String,
|
||||||
|
pub nonce: u64,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Block {
|
||||||
|
pub fn new(index: u64, transactions: Vec<Transaction>, previous_hash: String) -> Self {
|
||||||
|
let timestamp = Utc::now();
|
||||||
|
let mut block = Block {
|
||||||
|
index,
|
||||||
|
timestamp,
|
||||||
|
transactions,
|
||||||
|
previous_hash,
|
||||||
|
hash: String::new(),
|
||||||
|
nonce: 0,
|
||||||
|
};
|
||||||
|
block.hash = block.calculate_hash();
|
||||||
|
block
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn calculate_hash(&self) -> String {
|
||||||
|
let data = format!(
|
||||||
|
"{}{:?}{:?}{}{}",
|
||||||
|
self.index, self.timestamp, self.transactions, self.previous_hash, self.nonce
|
||||||
|
);
|
||||||
|
let mut hasher = Sha256::new();
|
||||||
|
hasher.update(data.as_bytes());
|
||||||
|
hex::encode(hasher.finalize())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn mine_block(&mut self, difficulty: usize) {
|
||||||
|
let target = "0".repeat(difficulty);
|
||||||
|
while &self.hash[..difficulty] != target {
|
||||||
|
self.nonce += 1;
|
||||||
|
self.hash = self.calculate_hash();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn genesis() -> Self {
|
||||||
|
Block::new(0, vec![], String::from("0"))
|
||||||
|
}
|
||||||
|
}
|
143
src/blockchain/chain.rs
Normal file
143
src/blockchain/chain.rs
Normal file
@ -0,0 +1,143 @@
|
|||||||
|
use super::block::Block;
|
||||||
|
use super::transaction::Transaction;
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use std::collections::HashMap;
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
pub struct Blockchain {
|
||||||
|
pub chain: Vec<Block>,
|
||||||
|
pub difficulty: usize,
|
||||||
|
pub pending_transactions: Vec<Transaction>,
|
||||||
|
pub mining_reward: f64,
|
||||||
|
pub balances: HashMap<String, f64>,
|
||||||
|
pub block_time: u64, // Target time between blocks in seconds
|
||||||
|
pub difficulty_adjustment_interval: u64, // Number of blocks between difficulty adjustments
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Blockchain {
|
||||||
|
pub fn new() -> Self {
|
||||||
|
let mut blockchain = Blockchain {
|
||||||
|
chain: vec![Block::genesis()],
|
||||||
|
difficulty: 2,
|
||||||
|
pending_transactions: vec![],
|
||||||
|
mining_reward: 50.0,
|
||||||
|
balances: HashMap::new(),
|
||||||
|
block_time: 30, // 30 seconds per block
|
||||||
|
difficulty_adjustment_interval: 10, // Adjust every 10 blocks
|
||||||
|
};
|
||||||
|
blockchain.balances.insert("genesis".to_string(), 1000000.0);
|
||||||
|
blockchain
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn add_transaction(&mut self, transaction: Transaction) -> Result<(), String> {
|
||||||
|
if transaction.from == transaction.to {
|
||||||
|
return Err("Cannot send to yourself".to_string());
|
||||||
|
}
|
||||||
|
|
||||||
|
if transaction.amount <= 0.0 {
|
||||||
|
return Err("Amount must be positive".to_string());
|
||||||
|
}
|
||||||
|
|
||||||
|
if transaction.from != "genesis" && transaction.from != "system" {
|
||||||
|
let balance = self.get_balance(&transaction.from);
|
||||||
|
let total_cost = transaction.amount + transaction.fee;
|
||||||
|
if balance < total_cost {
|
||||||
|
return Err(format!("Insufficient balance. Need {} (amount: {}, fee: {}), have {}",
|
||||||
|
total_cost, transaction.amount, transaction.fee, balance));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
self.pending_transactions.push(transaction);
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn mine_pending_transactions(&mut self, mining_reward_address: String) {
|
||||||
|
let reward_tx = Transaction::new(
|
||||||
|
"system".to_string(),
|
||||||
|
mining_reward_address.clone(),
|
||||||
|
self.mining_reward,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
self.pending_transactions.push(reward_tx);
|
||||||
|
|
||||||
|
let mut block = Block::new(
|
||||||
|
self.chain.len() as u64,
|
||||||
|
self.pending_transactions.clone(),
|
||||||
|
self.get_latest_block().hash.clone(),
|
||||||
|
);
|
||||||
|
block.mine_block(self.difficulty);
|
||||||
|
|
||||||
|
// Calculate total fees for miner
|
||||||
|
let mut total_fees = 0.0;
|
||||||
|
|
||||||
|
for tx in &block.transactions {
|
||||||
|
if tx.from != "system" && tx.from != "genesis" {
|
||||||
|
let total_deduction = tx.amount + tx.fee;
|
||||||
|
*self.balances.entry(tx.from.clone()).or_insert(0.0) -= total_deduction;
|
||||||
|
total_fees += tx.fee;
|
||||||
|
}
|
||||||
|
*self.balances.entry(tx.to.clone()).or_insert(0.0) += tx.amount;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Give fees to miner
|
||||||
|
if total_fees > 0.0 {
|
||||||
|
*self.balances.entry(mining_reward_address.clone()).or_insert(0.0) += total_fees;
|
||||||
|
}
|
||||||
|
|
||||||
|
self.chain.push(block);
|
||||||
|
self.pending_transactions.clear();
|
||||||
|
|
||||||
|
// Adjust difficulty if needed
|
||||||
|
self.adjust_difficulty();
|
||||||
|
}
|
||||||
|
|
||||||
|
fn adjust_difficulty(&mut self) {
|
||||||
|
let chain_length = self.chain.len() as u64;
|
||||||
|
if chain_length % self.difficulty_adjustment_interval == 0 && chain_length > 0 {
|
||||||
|
let start_index = (chain_length - self.difficulty_adjustment_interval) as usize;
|
||||||
|
let end_index = chain_length as usize - 1;
|
||||||
|
|
||||||
|
let time_taken = self.chain[end_index].timestamp.timestamp()
|
||||||
|
- self.chain[start_index].timestamp.timestamp();
|
||||||
|
let expected_time = (self.block_time * self.difficulty_adjustment_interval) as i64;
|
||||||
|
|
||||||
|
if time_taken < expected_time / 2 {
|
||||||
|
self.difficulty += 1;
|
||||||
|
println!("Difficulty increased to {}", self.difficulty);
|
||||||
|
} else if time_taken > expected_time * 2 {
|
||||||
|
if self.difficulty > 1 {
|
||||||
|
self.difficulty -= 1;
|
||||||
|
println!("Difficulty decreased to {}", self.difficulty);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn get_balance(&self, address: &str) -> f64 {
|
||||||
|
*self.balances.get(address).unwrap_or(&0.0)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn get_latest_block(&self) -> &Block {
|
||||||
|
self.chain.last().unwrap()
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn is_valid(&self) -> bool {
|
||||||
|
for i in 1..self.chain.len() {
|
||||||
|
let current = &self.chain[i];
|
||||||
|
let previous = &self.chain[i - 1];
|
||||||
|
|
||||||
|
if current.hash != current.calculate_hash() {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if current.previous_hash != previous.hash {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
if ¤t.hash[..self.difficulty] != "0".repeat(self.difficulty) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
true
|
||||||
|
}
|
||||||
|
}
|
7
src/blockchain/mod.rs
Normal file
7
src/blockchain/mod.rs
Normal file
@ -0,0 +1,7 @@
|
|||||||
|
pub mod block;
|
||||||
|
pub mod chain;
|
||||||
|
pub mod transaction;
|
||||||
|
|
||||||
|
pub use block::Block;
|
||||||
|
pub use chain::Blockchain;
|
||||||
|
pub use transaction::Transaction;
|
63
src/blockchain/transaction.rs
Normal file
63
src/blockchain/transaction.rs
Normal file
@ -0,0 +1,63 @@
|
|||||||
|
use chrono::{DateTime, Utc};
|
||||||
|
use ed25519_dalek::{Signature, Signer, SigningKey, VerifyingKey};
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use sha2::{Digest, Sha256};
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
pub struct Transaction {
|
||||||
|
pub from: String,
|
||||||
|
pub to: String,
|
||||||
|
pub amount: f64,
|
||||||
|
pub fee: f64,
|
||||||
|
pub timestamp: DateTime<Utc>,
|
||||||
|
pub signature: Option<String>,
|
||||||
|
pub atproto_did: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Transaction {
|
||||||
|
pub fn new(from: String, to: String, amount: f64, atproto_did: Option<String>) -> Self {
|
||||||
|
let fee = Self::calculate_fee(amount);
|
||||||
|
Transaction {
|
||||||
|
from,
|
||||||
|
to,
|
||||||
|
amount,
|
||||||
|
fee,
|
||||||
|
timestamp: Utc::now(),
|
||||||
|
signature: None,
|
||||||
|
atproto_did,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn calculate_fee(amount: f64) -> f64 {
|
||||||
|
// 0.1% fee with minimum of 0.01
|
||||||
|
(amount * 0.001).max(0.01)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn calculate_hash(&self) -> String {
|
||||||
|
let data = format!(
|
||||||
|
"{}{}{}{}{:?}{:?}",
|
||||||
|
self.from, self.to, self.amount, self.fee, self.timestamp, self.atproto_did
|
||||||
|
);
|
||||||
|
let mut hasher = Sha256::new();
|
||||||
|
hasher.update(data.as_bytes());
|
||||||
|
hex::encode(hasher.finalize())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn sign(&mut self, private_key: &SigningKey) {
|
||||||
|
let hash = self.calculate_hash();
|
||||||
|
let signature = private_key.sign(hash.as_bytes());
|
||||||
|
self.signature = Some(hex::encode(signature.to_bytes()));
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn verify_signature(&self, public_key: &VerifyingKey) -> bool {
|
||||||
|
if let Some(ref sig_hex) = self.signature {
|
||||||
|
if let Ok(sig_bytes) = hex::decode(sig_hex) {
|
||||||
|
if let Ok(signature) = Signature::from_slice(&sig_bytes) {
|
||||||
|
let hash = self.calculate_hash();
|
||||||
|
return public_key.verify_strict(hash.as_bytes(), &signature).is_ok();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
false
|
||||||
|
}
|
||||||
|
}
|
68
src/cli/mod.rs
Normal file
68
src/cli/mod.rs
Normal file
@ -0,0 +1,68 @@
|
|||||||
|
use clap::{Parser, Subcommand};
|
||||||
|
|
||||||
|
#[derive(Parser)]
|
||||||
|
#[command(name = "aicoin")]
|
||||||
|
#[command(about = "AI Coin - Blockchain for AIverse", long_about = None)]
|
||||||
|
pub struct Cli {
|
||||||
|
#[command(subcommand)]
|
||||||
|
pub command: Commands,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Subcommand)]
|
||||||
|
pub enum Commands {
|
||||||
|
#[command(about = "Create a new wallet")]
|
||||||
|
Wallet {
|
||||||
|
#[arg(long, help = "ATProto DID for account linking")]
|
||||||
|
atproto_did: Option<String>,
|
||||||
|
#[arg(long, help = "Export wallet to file")]
|
||||||
|
export: Option<String>,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Import wallet from file")]
|
||||||
|
Import {
|
||||||
|
#[arg(help = "Path to wallet file")]
|
||||||
|
path: String,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Get balance of an address")]
|
||||||
|
Balance {
|
||||||
|
#[arg(help = "Wallet address")]
|
||||||
|
address: String,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Send coins to another address")]
|
||||||
|
Send {
|
||||||
|
#[arg(help = "Recipient address")]
|
||||||
|
to: String,
|
||||||
|
#[arg(help = "Amount to send")]
|
||||||
|
amount: f64,
|
||||||
|
#[arg(long, help = "Private key for signing")]
|
||||||
|
private_key: String,
|
||||||
|
#[arg(long, help = "ATProto DID")]
|
||||||
|
atproto_did: Option<String>,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Mine pending transactions")]
|
||||||
|
Mine {
|
||||||
|
#[arg(help = "Miner address")]
|
||||||
|
address: String,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Show blockchain info")]
|
||||||
|
Info,
|
||||||
|
|
||||||
|
#[command(about = "Validate blockchain")]
|
||||||
|
Validate,
|
||||||
|
|
||||||
|
#[command(about = "Start API server")]
|
||||||
|
Server {
|
||||||
|
#[arg(short, long, default_value = "8080", help = "API server port")]
|
||||||
|
port: u16,
|
||||||
|
},
|
||||||
|
|
||||||
|
#[command(about = "Start P2P node")]
|
||||||
|
Node {
|
||||||
|
#[arg(short, long, default_value = "9000", help = "P2P network port")]
|
||||||
|
port: u16,
|
||||||
|
},
|
||||||
|
}
|
5
src/lib.rs
Normal file
5
src/lib.rs
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
pub mod blockchain;
|
||||||
|
pub mod wallet;
|
||||||
|
pub mod network;
|
||||||
|
pub mod api;
|
||||||
|
pub mod cli;
|
177
src/main.rs
Normal file
177
src/main.rs
Normal file
@ -0,0 +1,177 @@
|
|||||||
|
mod blockchain;
|
||||||
|
mod cli;
|
||||||
|
mod wallet;
|
||||||
|
mod network;
|
||||||
|
mod api;
|
||||||
|
|
||||||
|
use blockchain::{Blockchain, Transaction};
|
||||||
|
use clap::Parser;
|
||||||
|
use cli::{Cli, Commands};
|
||||||
|
use std::fs;
|
||||||
|
use wallet::Wallet;
|
||||||
|
|
||||||
|
const BLOCKCHAIN_FILE: &str = "blockchain.json";
|
||||||
|
|
||||||
|
#[tokio::main]
|
||||||
|
async fn main() {
|
||||||
|
let cli = Cli::parse();
|
||||||
|
|
||||||
|
let mut blockchain = load_blockchain();
|
||||||
|
|
||||||
|
match cli.command {
|
||||||
|
Commands::Wallet { atproto_did, export } => {
|
||||||
|
let wallet = Wallet::new(atproto_did);
|
||||||
|
println!("New wallet created!");
|
||||||
|
println!("Address: {}", wallet.address);
|
||||||
|
if let Some(private_key) = wallet.get_private_key_hex() {
|
||||||
|
println!("Private key: {}", private_key);
|
||||||
|
println!("IMPORTANT: Save this private key securely!");
|
||||||
|
}
|
||||||
|
if let Some(ref did) = wallet.atproto_did {
|
||||||
|
println!("ATProto DID: {}", did);
|
||||||
|
}
|
||||||
|
|
||||||
|
if let Some(path) = export {
|
||||||
|
match wallet.export_to_file(&path) {
|
||||||
|
Ok(()) => println!("Wallet exported to: {}", path),
|
||||||
|
Err(e) => println!("Failed to export wallet: {}", e),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Import { path } => {
|
||||||
|
match Wallet::import_from_file(&path) {
|
||||||
|
Ok(wallet) => {
|
||||||
|
println!("Wallet imported successfully!");
|
||||||
|
println!("Address: {}", wallet.address);
|
||||||
|
if let Some(ref did) = wallet.atproto_did {
|
||||||
|
println!("ATProto DID: {}", did);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Err(e) => println!("Failed to import wallet: {}", e),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Balance { address } => {
|
||||||
|
let balance = blockchain.get_balance(&address);
|
||||||
|
println!("Balance for {}: {} AIC", address, balance);
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Send { to, amount, private_key, atproto_did } => {
|
||||||
|
match Wallet::from_private_key(&private_key, atproto_did) {
|
||||||
|
Ok(wallet) => {
|
||||||
|
let mut transaction = Transaction::new(
|
||||||
|
wallet.address.clone(),
|
||||||
|
to.clone(),
|
||||||
|
amount,
|
||||||
|
wallet.atproto_did.clone(),
|
||||||
|
);
|
||||||
|
|
||||||
|
if let Some(ref signing_key) = wallet.private_key {
|
||||||
|
transaction.sign(signing_key);
|
||||||
|
|
||||||
|
match blockchain.add_transaction(transaction) {
|
||||||
|
Ok(()) => {
|
||||||
|
save_blockchain(&blockchain);
|
||||||
|
println!("Transaction added to pending transactions");
|
||||||
|
println!("From: {}", wallet.address);
|
||||||
|
println!("To: {}", to);
|
||||||
|
println!("Amount: {} AIC", amount);
|
||||||
|
}
|
||||||
|
Err(e) => println!("Error: {}", e),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Err(e) => println!("Error loading wallet: {}", e),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Mine { address } => {
|
||||||
|
if blockchain.pending_transactions.is_empty() {
|
||||||
|
println!("No pending transactions to mine");
|
||||||
|
} else {
|
||||||
|
println!("Mining block...");
|
||||||
|
let pending_count = blockchain.pending_transactions.len();
|
||||||
|
blockchain.mine_pending_transactions(address.clone());
|
||||||
|
save_blockchain(&blockchain);
|
||||||
|
println!("Block mined successfully!");
|
||||||
|
println!("Transactions included: {}", pending_count);
|
||||||
|
println!("Mining reward sent to: {}", address);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Info => {
|
||||||
|
println!("Blockchain Info:");
|
||||||
|
println!("Total blocks: {}", blockchain.chain.len());
|
||||||
|
println!("Difficulty: {}", blockchain.difficulty);
|
||||||
|
println!("Mining reward: {} AIC", blockchain.mining_reward);
|
||||||
|
println!("Pending transactions: {}", blockchain.pending_transactions.len());
|
||||||
|
|
||||||
|
if let Some(latest) = blockchain.chain.last() {
|
||||||
|
println!("\nLatest block:");
|
||||||
|
println!(" Index: {}", latest.index);
|
||||||
|
println!(" Hash: {}", latest.hash);
|
||||||
|
println!(" Timestamp: {}", latest.timestamp);
|
||||||
|
println!(" Transactions: {}", latest.transactions.len());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Validate => {
|
||||||
|
if blockchain.is_valid() {
|
||||||
|
println!("Blockchain is valid ✓");
|
||||||
|
} else {
|
||||||
|
println!("Blockchain is invalid ✗");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Server { port } => {
|
||||||
|
println!("Starting API server on port {}", port);
|
||||||
|
api::run_api_server(blockchain, port).await;
|
||||||
|
}
|
||||||
|
|
||||||
|
Commands::Node { port } => {
|
||||||
|
println!("Starting P2P node on port {}", port);
|
||||||
|
let (tx, mut rx) = tokio::sync::mpsc::channel(100);
|
||||||
|
|
||||||
|
let p2p_network = network::P2PNetwork::new(tx, port).await
|
||||||
|
.expect("Failed to create P2P network");
|
||||||
|
|
||||||
|
tokio::spawn(async move {
|
||||||
|
p2p_network.run().await;
|
||||||
|
});
|
||||||
|
|
||||||
|
// Handle incoming messages
|
||||||
|
while let Some(msg) = rx.recv().await {
|
||||||
|
match msg {
|
||||||
|
network::MessageType::NewTransaction(tx) => {
|
||||||
|
println!("Received new transaction");
|
||||||
|
if let Err(e) = blockchain.add_transaction(tx) {
|
||||||
|
eprintln!("Failed to add transaction: {}", e);
|
||||||
|
}
|
||||||
|
save_blockchain(&blockchain);
|
||||||
|
}
|
||||||
|
network::MessageType::NewBlock(block) => {
|
||||||
|
println!("Received new block");
|
||||||
|
// TODO: Validate and add block
|
||||||
|
}
|
||||||
|
_ => {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn load_blockchain() -> Blockchain {
|
||||||
|
if let Ok(data) = fs::read_to_string(BLOCKCHAIN_FILE) {
|
||||||
|
if let Ok(blockchain) = serde_json::from_str(&data) {
|
||||||
|
return blockchain;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
Blockchain::new()
|
||||||
|
}
|
||||||
|
|
||||||
|
fn save_blockchain(blockchain: &Blockchain) {
|
||||||
|
if let Ok(data) = serde_json::to_string_pretty(blockchain) {
|
||||||
|
let _ = fs::write(BLOCKCHAIN_FILE, data);
|
||||||
|
}
|
||||||
|
}
|
19
src/network/message.rs
Normal file
19
src/network/message.rs
Normal file
@ -0,0 +1,19 @@
|
|||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use crate::blockchain::{Block, Blockchain, Transaction};
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
pub enum MessageType {
|
||||||
|
NewBlock(Block),
|
||||||
|
NewTransaction(Transaction),
|
||||||
|
GetBlocks,
|
||||||
|
GetBlockchain,
|
||||||
|
Blockchain(Blockchain),
|
||||||
|
Ping,
|
||||||
|
Pong,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||||
|
pub struct NetworkMessage {
|
||||||
|
pub message_type: MessageType,
|
||||||
|
pub timestamp: chrono::DateTime<chrono::Utc>,
|
||||||
|
}
|
5
src/network/mod.rs
Normal file
5
src/network/mod.rs
Normal file
@ -0,0 +1,5 @@
|
|||||||
|
pub mod p2p;
|
||||||
|
pub mod message;
|
||||||
|
|
||||||
|
pub use p2p::P2PNetwork;
|
||||||
|
pub use message::{NetworkMessage, MessageType};
|
161
src/network/p2p.rs
Normal file
161
src/network/p2p.rs
Normal file
@ -0,0 +1,161 @@
|
|||||||
|
use futures::{prelude::*, select};
|
||||||
|
use libp2p::{
|
||||||
|
gossipsub, identify, mdns, noise, swarm::NetworkBehaviour, swarm::SwarmEvent, tcp, yamux,
|
||||||
|
PeerId, Swarm, SwarmBuilder,
|
||||||
|
};
|
||||||
|
use std::collections::hash_map::DefaultHasher;
|
||||||
|
use std::hash::{Hash, Hasher};
|
||||||
|
use std::time::Duration;
|
||||||
|
use tokio::sync::mpsc;
|
||||||
|
|
||||||
|
use super::message::{MessageType, NetworkMessage};
|
||||||
|
use crate::blockchain::{Block, Blockchain, Transaction};
|
||||||
|
|
||||||
|
#[derive(NetworkBehaviour)]
|
||||||
|
pub struct AicoinBehaviour {
|
||||||
|
pub gossipsub: gossipsub::Behaviour,
|
||||||
|
pub mdns: mdns::tokio::Behaviour,
|
||||||
|
pub identify: identify::Behaviour,
|
||||||
|
}
|
||||||
|
|
||||||
|
pub struct P2PNetwork {
|
||||||
|
swarm: Swarm<AicoinBehaviour>,
|
||||||
|
topic: gossipsub::IdentTopic,
|
||||||
|
blockchain_tx: mpsc::Sender<MessageType>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl P2PNetwork {
|
||||||
|
pub async fn new(
|
||||||
|
blockchain_tx: mpsc::Sender<MessageType>,
|
||||||
|
port: u16,
|
||||||
|
) -> Result<Self, Box<dyn std::error::Error>> {
|
||||||
|
let mut swarm = SwarmBuilder::with_new_identity()
|
||||||
|
.with_tokio()
|
||||||
|
.with_tcp(
|
||||||
|
tcp::Config::default(),
|
||||||
|
noise::Config::new,
|
||||||
|
yamux::Config::default,
|
||||||
|
)?
|
||||||
|
.with_behaviour(|key| {
|
||||||
|
let message_id_fn = |message: &gossipsub::Message| {
|
||||||
|
let mut s = DefaultHasher::new();
|
||||||
|
message.data.hash(&mut s);
|
||||||
|
gossipsub::MessageId::from(s.finish().to_string())
|
||||||
|
};
|
||||||
|
|
||||||
|
let gossipsub_config = gossipsub::ConfigBuilder::default()
|
||||||
|
.heartbeat_interval(Duration::from_secs(10))
|
||||||
|
.validation_mode(gossipsub::ValidationMode::Strict)
|
||||||
|
.message_id_fn(message_id_fn)
|
||||||
|
.build()
|
||||||
|
.expect("Valid config");
|
||||||
|
|
||||||
|
let gossipsub = gossipsub::Behaviour::new(
|
||||||
|
gossipsub::MessageAuthenticity::Signed(key.clone()),
|
||||||
|
gossipsub_config,
|
||||||
|
)
|
||||||
|
.expect("Correct configuration");
|
||||||
|
|
||||||
|
let mdns = mdns::tokio::Behaviour::new(
|
||||||
|
mdns::Config::default(),
|
||||||
|
key.public().to_peer_id(),
|
||||||
|
)?;
|
||||||
|
|
||||||
|
let identify = identify::Behaviour::new(identify::Config::new(
|
||||||
|
"/aicoin/1.0.0".to_string(),
|
||||||
|
key.public(),
|
||||||
|
));
|
||||||
|
|
||||||
|
Ok(AicoinBehaviour {
|
||||||
|
gossipsub,
|
||||||
|
mdns,
|
||||||
|
identify,
|
||||||
|
})
|
||||||
|
})?
|
||||||
|
.with_swarm_config(|c| c.with_idle_connection_timeout(Duration::from_secs(60)))
|
||||||
|
.build();
|
||||||
|
|
||||||
|
swarm.listen_on(format!("/ip4/0.0.0.0/tcp/{}", port).parse()?)?;
|
||||||
|
|
||||||
|
let topic = gossipsub::IdentTopic::new("aicoin-network");
|
||||||
|
swarm.behaviour_mut().gossipsub.subscribe(&topic)?;
|
||||||
|
|
||||||
|
Ok(P2PNetwork {
|
||||||
|
swarm,
|
||||||
|
topic,
|
||||||
|
blockchain_tx,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn broadcast_block(&mut self, block: Block) {
|
||||||
|
let message = NetworkMessage {
|
||||||
|
message_type: MessageType::NewBlock(block),
|
||||||
|
timestamp: chrono::Utc::now(),
|
||||||
|
};
|
||||||
|
|
||||||
|
if let Ok(data) = serde_json::to_vec(&message) {
|
||||||
|
if let Err(e) = self
|
||||||
|
.swarm
|
||||||
|
.behaviour_mut()
|
||||||
|
.gossipsub
|
||||||
|
.publish(self.topic.clone(), data)
|
||||||
|
{
|
||||||
|
eprintln!("Failed to publish block: {:?}", e);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn broadcast_transaction(&mut self, transaction: Transaction) {
|
||||||
|
let message = NetworkMessage {
|
||||||
|
message_type: MessageType::NewTransaction(transaction),
|
||||||
|
timestamp: chrono::Utc::now(),
|
||||||
|
};
|
||||||
|
|
||||||
|
if let Ok(data) = serde_json::to_vec(&message) {
|
||||||
|
if let Err(e) = self
|
||||||
|
.swarm
|
||||||
|
.behaviour_mut()
|
||||||
|
.gossipsub
|
||||||
|
.publish(self.topic.clone(), data)
|
||||||
|
{
|
||||||
|
eprintln!("Failed to publish transaction: {:?}", e);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn run(mut self) {
|
||||||
|
loop {
|
||||||
|
select! {
|
||||||
|
event = self.swarm.select_next_some() => {
|
||||||
|
match event {
|
||||||
|
SwarmEvent::Behaviour(AicoinBehaviourEvent::Mdns(mdns::Event::Discovered(list))) => {
|
||||||
|
for (peer_id, _) in list {
|
||||||
|
println!("Discovered peer: {}", peer_id);
|
||||||
|
self.swarm.behaviour_mut().gossipsub.add_explicit_peer(&peer_id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
SwarmEvent::Behaviour(AicoinBehaviourEvent::Mdns(mdns::Event::Expired(list))) => {
|
||||||
|
for (peer_id, _) in list {
|
||||||
|
println!("Peer expired: {}", peer_id);
|
||||||
|
self.swarm.behaviour_mut().gossipsub.remove_explicit_peer(&peer_id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
SwarmEvent::Behaviour(AicoinBehaviourEvent::Gossipsub(gossipsub::Event::Message {
|
||||||
|
propagation_source: _,
|
||||||
|
message_id: _,
|
||||||
|
message,
|
||||||
|
})) => {
|
||||||
|
if let Ok(msg) = serde_json::from_slice::<NetworkMessage>(&message.data) {
|
||||||
|
let _ = self.blockchain_tx.send(msg.message_type).await;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
SwarmEvent::NewListenAddr { address, .. } => {
|
||||||
|
println!("Listening on {}", address);
|
||||||
|
}
|
||||||
|
_ => {}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
99
src/wallet/mod.rs
Normal file
99
src/wallet/mod.rs
Normal file
@ -0,0 +1,99 @@
|
|||||||
|
use ed25519_dalek::{SigningKey, VerifyingKey};
|
||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
use rand;
|
||||||
|
use std::fs;
|
||||||
|
use std::path::Path;
|
||||||
|
|
||||||
|
#[derive(Debug, Serialize, Deserialize)]
|
||||||
|
pub struct Wallet {
|
||||||
|
pub address: String,
|
||||||
|
#[serde(skip)]
|
||||||
|
pub private_key: Option<SigningKey>,
|
||||||
|
pub public_key: String,
|
||||||
|
pub atproto_did: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Wallet {
|
||||||
|
pub fn new(atproto_did: Option<String>) -> Self {
|
||||||
|
let private_key = SigningKey::from_bytes(&rand::random::<[u8; 32]>());
|
||||||
|
let public_key = private_key.verifying_key();
|
||||||
|
|
||||||
|
Wallet {
|
||||||
|
address: hex::encode(public_key.to_bytes()),
|
||||||
|
private_key: Some(private_key),
|
||||||
|
public_key: hex::encode(public_key.to_bytes()),
|
||||||
|
atproto_did,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn from_private_key(private_key_hex: &str, atproto_did: Option<String>) -> Result<Self, String> {
|
||||||
|
let private_key_bytes = hex::decode(private_key_hex)
|
||||||
|
.map_err(|_| "Invalid hex string")?;
|
||||||
|
|
||||||
|
let private_key = SigningKey::from_bytes(&private_key_bytes.try_into().unwrap());
|
||||||
|
let public_key = private_key.verifying_key();
|
||||||
|
|
||||||
|
Ok(Wallet {
|
||||||
|
address: hex::encode(public_key.to_bytes()),
|
||||||
|
private_key: Some(private_key),
|
||||||
|
public_key: hex::encode(public_key.to_bytes()),
|
||||||
|
atproto_did,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn get_private_key_hex(&self) -> Option<String> {
|
||||||
|
self.private_key.as_ref().map(|k| hex::encode(k.to_bytes()))
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn get_verifying_key(&self) -> Result<VerifyingKey, String> {
|
||||||
|
let bytes = hex::decode(&self.public_key)
|
||||||
|
.map_err(|_| "Invalid public key hex")?;
|
||||||
|
let bytes_array: [u8; 32] = bytes.try_into()
|
||||||
|
.map_err(|_| "Invalid public key length")?;
|
||||||
|
Ok(VerifyingKey::from_bytes(&bytes_array)
|
||||||
|
.map_err(|_| "Invalid public key")?)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn export_to_file(&self, path: &str) -> Result<(), String> {
|
||||||
|
let wallet_data = WalletData {
|
||||||
|
address: self.address.clone(),
|
||||||
|
private_key: self.get_private_key_hex(),
|
||||||
|
public_key: self.public_key.clone(),
|
||||||
|
atproto_did: self.atproto_did.clone(),
|
||||||
|
};
|
||||||
|
|
||||||
|
let json = serde_json::to_string_pretty(&wallet_data)
|
||||||
|
.map_err(|e| format!("Failed to serialize wallet: {}", e))?;
|
||||||
|
|
||||||
|
fs::write(path, json)
|
||||||
|
.map_err(|e| format!("Failed to write wallet file: {}", e))?;
|
||||||
|
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn import_from_file(path: &str) -> Result<Self, String> {
|
||||||
|
if !Path::new(path).exists() {
|
||||||
|
return Err("Wallet file does not exist".to_string());
|
||||||
|
}
|
||||||
|
|
||||||
|
let json = fs::read_to_string(path)
|
||||||
|
.map_err(|e| format!("Failed to read wallet file: {}", e))?;
|
||||||
|
|
||||||
|
let wallet_data: WalletData = serde_json::from_str(&json)
|
||||||
|
.map_err(|e| format!("Failed to parse wallet file: {}", e))?;
|
||||||
|
|
||||||
|
if let Some(private_key) = wallet_data.private_key {
|
||||||
|
Self::from_private_key(&private_key, wallet_data.atproto_did)
|
||||||
|
} else {
|
||||||
|
Err("No private key found in wallet file".to_string())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Serialize, Deserialize)]
|
||||||
|
struct WalletData {
|
||||||
|
address: String,
|
||||||
|
private_key: Option<String>,
|
||||||
|
public_key: String,
|
||||||
|
atproto_did: Option<String>,
|
||||||
|
}
|
114
tests/blockchain_tests.rs
Normal file
114
tests/blockchain_tests.rs
Normal file
@ -0,0 +1,114 @@
|
|||||||
|
use aicoin::blockchain::{Block, Blockchain, Transaction};
|
||||||
|
use aicoin::wallet::Wallet;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_genesis_block() {
|
||||||
|
let blockchain = Blockchain::new();
|
||||||
|
assert_eq!(blockchain.chain.len(), 1);
|
||||||
|
assert_eq!(blockchain.chain[0].index, 0);
|
||||||
|
assert_eq!(blockchain.chain[0].previous_hash, "0");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_add_transaction() {
|
||||||
|
let mut blockchain = Blockchain::new();
|
||||||
|
let wallet1 = Wallet::new(None);
|
||||||
|
let wallet2 = Wallet::new(None);
|
||||||
|
|
||||||
|
// Give wallet1 some coins
|
||||||
|
*blockchain.balances.entry(wallet1.address.clone()).or_insert(0.0) = 100.0;
|
||||||
|
|
||||||
|
let transaction = Transaction::new(
|
||||||
|
wallet1.address.clone(),
|
||||||
|
wallet2.address.clone(),
|
||||||
|
50.0,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
|
||||||
|
assert!(blockchain.add_transaction(transaction).is_ok());
|
||||||
|
assert_eq!(blockchain.pending_transactions.len(), 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_insufficient_balance() {
|
||||||
|
let mut blockchain = Blockchain::new();
|
||||||
|
let wallet1 = Wallet::new(None);
|
||||||
|
let wallet2 = Wallet::new(None);
|
||||||
|
|
||||||
|
let transaction = Transaction::new(
|
||||||
|
wallet1.address.clone(),
|
||||||
|
wallet2.address.clone(),
|
||||||
|
50.0,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
|
||||||
|
assert!(blockchain.add_transaction(transaction).is_err());
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_mining() {
|
||||||
|
let mut blockchain = Blockchain::new();
|
||||||
|
let wallet1 = Wallet::new(None);
|
||||||
|
let wallet2 = Wallet::new(None);
|
||||||
|
let miner = Wallet::new(None);
|
||||||
|
|
||||||
|
// Give wallet1 some coins
|
||||||
|
*blockchain.balances.entry(wallet1.address.clone()).or_insert(0.0) = 100.0;
|
||||||
|
|
||||||
|
let transaction = Transaction::new(
|
||||||
|
wallet1.address.clone(),
|
||||||
|
wallet2.address.clone(),
|
||||||
|
30.0,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
|
||||||
|
blockchain.add_transaction(transaction).unwrap();
|
||||||
|
blockchain.mine_pending_transactions(miner.address.clone());
|
||||||
|
|
||||||
|
assert_eq!(blockchain.chain.len(), 2);
|
||||||
|
assert_eq!(blockchain.pending_transactions.len(), 0);
|
||||||
|
|
||||||
|
// Check balances
|
||||||
|
let wallet1_balance = blockchain.get_balance(&wallet1.address);
|
||||||
|
let wallet2_balance = blockchain.get_balance(&wallet2.address);
|
||||||
|
let miner_balance = blockchain.get_balance(&miner.address);
|
||||||
|
|
||||||
|
assert!(wallet1_balance < 70.0); // Less due to fees
|
||||||
|
assert_eq!(wallet2_balance, 30.0);
|
||||||
|
assert!(miner_balance > 50.0); // Mining reward + fees
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_blockchain_validity() {
|
||||||
|
let mut blockchain = Blockchain::new();
|
||||||
|
assert!(blockchain.is_valid());
|
||||||
|
|
||||||
|
let wallet = Wallet::new(None);
|
||||||
|
blockchain.mine_pending_transactions(wallet.address);
|
||||||
|
|
||||||
|
assert!(blockchain.is_valid());
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_transaction_fee_calculation() {
|
||||||
|
assert_eq!(Transaction::calculate_fee(100.0), 0.1);
|
||||||
|
assert_eq!(Transaction::calculate_fee(5.0), 0.01); // Minimum fee
|
||||||
|
assert_eq!(Transaction::calculate_fee(1000.0), 1.0);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_difficulty_adjustment() {
|
||||||
|
let mut blockchain = Blockchain::new();
|
||||||
|
blockchain.difficulty_adjustment_interval = 2; // Adjust every 2 blocks
|
||||||
|
|
||||||
|
let initial_difficulty = blockchain.difficulty;
|
||||||
|
let wallet = Wallet::new(None);
|
||||||
|
|
||||||
|
// Mine several blocks
|
||||||
|
for _ in 0..3 {
|
||||||
|
blockchain.mine_pending_transactions(wallet.address.clone());
|
||||||
|
}
|
||||||
|
|
||||||
|
// Difficulty might have changed
|
||||||
|
assert!(blockchain.difficulty >= 1);
|
||||||
|
}
|
58
tests/transaction_tests.rs
Normal file
58
tests/transaction_tests.rs
Normal file
@ -0,0 +1,58 @@
|
|||||||
|
use aicoin::blockchain::Transaction;
|
||||||
|
use aicoin::wallet::Wallet;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_transaction_signing() {
|
||||||
|
let wallet = Wallet::new(None);
|
||||||
|
let mut transaction = Transaction::new(
|
||||||
|
wallet.address.clone(),
|
||||||
|
"recipient_address".to_string(),
|
||||||
|
100.0,
|
||||||
|
Some("did:plc:test789".to_string()),
|
||||||
|
);
|
||||||
|
|
||||||
|
assert!(transaction.signature.is_none());
|
||||||
|
|
||||||
|
if let Some(ref signing_key) = wallet.private_key {
|
||||||
|
transaction.sign(signing_key);
|
||||||
|
assert!(transaction.signature.is_some());
|
||||||
|
|
||||||
|
// Verify signature
|
||||||
|
let verifying_key = wallet.get_verifying_key().unwrap();
|
||||||
|
assert!(transaction.verify_signature(&verifying_key));
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_transaction_hash() {
|
||||||
|
let tx1 = Transaction::new(
|
||||||
|
"from".to_string(),
|
||||||
|
"to".to_string(),
|
||||||
|
100.0,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
|
||||||
|
let tx2 = Transaction::new(
|
||||||
|
"from".to_string(),
|
||||||
|
"to".to_string(),
|
||||||
|
100.0,
|
||||||
|
None,
|
||||||
|
);
|
||||||
|
|
||||||
|
// Same parameters but different timestamps should produce different hashes
|
||||||
|
assert_ne!(tx1.calculate_hash(), tx2.calculate_hash());
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_transaction_with_atproto_did() {
|
||||||
|
let transaction = Transaction::new(
|
||||||
|
"from".to_string(),
|
||||||
|
"to".to_string(),
|
||||||
|
50.0,
|
||||||
|
Some("did:plc:user123".to_string()),
|
||||||
|
);
|
||||||
|
|
||||||
|
assert_eq!(transaction.atproto_did, Some("did:plc:user123".to_string()));
|
||||||
|
assert_eq!(transaction.amount, 50.0);
|
||||||
|
assert_eq!(transaction.fee, 0.05);
|
||||||
|
}
|
51
tests/wallet_tests.rs
Normal file
51
tests/wallet_tests.rs
Normal file
@ -0,0 +1,51 @@
|
|||||||
|
use aicoin::wallet::Wallet;
|
||||||
|
use std::fs;
|
||||||
|
use tempfile::TempDir;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_wallet_creation() {
|
||||||
|
let wallet = Wallet::new(Some("did:plc:test123".to_string()));
|
||||||
|
|
||||||
|
assert!(!wallet.address.is_empty());
|
||||||
|
assert!(!wallet.public_key.is_empty());
|
||||||
|
assert_eq!(wallet.atproto_did, Some("did:plc:test123".to_string()));
|
||||||
|
assert!(wallet.get_private_key_hex().is_some());
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_wallet_from_private_key() {
|
||||||
|
let wallet1 = Wallet::new(None);
|
||||||
|
let private_key = wallet1.get_private_key_hex().unwrap();
|
||||||
|
|
||||||
|
let wallet2 = Wallet::from_private_key(&private_key, None).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(wallet1.address, wallet2.address);
|
||||||
|
assert_eq!(wallet1.public_key, wallet2.public_key);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_wallet_export_import() {
|
||||||
|
let temp_dir = TempDir::new().unwrap();
|
||||||
|
let wallet_file = temp_dir.path().join("wallet.json");
|
||||||
|
|
||||||
|
let wallet1 = Wallet::new(Some("did:plc:test456".to_string()));
|
||||||
|
wallet1.export_to_file(wallet_file.to_str().unwrap()).unwrap();
|
||||||
|
|
||||||
|
let wallet2 = Wallet::import_from_file(wallet_file.to_str().unwrap()).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(wallet1.address, wallet2.address);
|
||||||
|
assert_eq!(wallet1.public_key, wallet2.public_key);
|
||||||
|
assert_eq!(wallet1.atproto_did, wallet2.atproto_did);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_wallet_import_nonexistent_file() {
|
||||||
|
let result = Wallet::import_from_file("/nonexistent/wallet.json");
|
||||||
|
assert!(result.is_err());
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_invalid_private_key() {
|
||||||
|
let result = Wallet::from_private_key("invalid_hex", None);
|
||||||
|
assert!(result.is_err());
|
||||||
|
}
|
Reference in New Issue
Block a user