Update parallel_miner_v3.py
Browse files- parallel_miner_v3.py +334 -110
parallel_miner_v3.py
CHANGED
|
@@ -1,5 +1,6 @@
|
|
| 1 |
"""
|
| 2 |
Real Bitcoin mining implementation with hardware-accurate SHA-256 and proper block finding
|
|
|
|
| 3 |
"""
|
| 4 |
import hashlib
|
| 5 |
import struct
|
|
@@ -9,9 +10,8 @@ import threading
|
|
| 9 |
import multiprocessing
|
| 10 |
from datetime import datetime
|
| 11 |
from concurrent.futures import ThreadPoolExecutor, ProcessPoolExecutor
|
| 12 |
-
from typing import Dict, Optional, Tuple
|
| 13 |
from multiprocessing import Manager, Lock
|
| 14 |
-
from network_integration import NetworkIntegration # Using consolidated network integration
|
| 15 |
|
| 16 |
# Configure logging
|
| 17 |
logging.basicConfig(
|
|
@@ -23,6 +23,10 @@ logging.basicConfig(
|
|
| 23 |
]
|
| 24 |
)
|
| 25 |
|
|
|
|
|
|
|
|
|
|
|
|
|
| 26 |
class HashUnit:
|
| 27 |
"""Individual mining unit that performs real SHA-256 operations at electron speed"""
|
| 28 |
def __init__(self, unit_id: int):
|
|
@@ -30,7 +34,7 @@ class HashUnit:
|
|
| 30 |
self.total_hashes = 0
|
| 31 |
self.blocks_found = 0
|
| 32 |
self.best_hash = None
|
| 33 |
-
self.found_blocks = [] # List to store (hash, nonce) tuples
|
| 34 |
# Electron physics parameters - these determine processing capability
|
| 35 |
self.electron_drift_velocity = 1.96e7 # m/s in silicon
|
| 36 |
self.switching_frequency = 8.92e85 * 10020000 # Hz
|
|
@@ -50,7 +54,7 @@ class HashUnit:
|
|
| 50 |
"""Perform real double SHA-256 hash"""
|
| 51 |
return hashlib.sha256(hashlib.sha256(header).digest()).digest()
|
| 52 |
|
| 53 |
-
def mine_range(self, block_header: bytes, target: int, nonce_start: int, nonce_range: int) -> Tuple[int, int, bytes]:
|
| 54 |
"""Mine a range of nonces with real SHA-256 at electron speed throughput"""
|
| 55 |
best_hash = None
|
| 56 |
best_nonce = None
|
|
@@ -83,8 +87,8 @@ class HashUnit:
|
|
| 83 |
blocks_found += 1
|
| 84 |
best_hash = hash_result
|
| 85 |
best_nonce = nonce
|
| 86 |
-
# Store block details
|
| 87 |
-
self.found_blocks.append((hash_result.hex(), nonce))
|
| 88 |
break
|
| 89 |
|
| 90 |
# Track best hash even if not a valid block
|
|
@@ -92,7 +96,6 @@ class HashUnit:
|
|
| 92 |
best_hash = hash_result
|
| 93 |
best_nonce = nonce
|
| 94 |
|
| 95 |
-
# Return blocks found this cycle too
|
| 96 |
return self.total_hashes, blocks_found, best_nonce or -1, best_hash or b'\xff' * 32
|
| 97 |
|
| 98 |
class MiningCore:
|
|
@@ -105,7 +108,7 @@ class MiningCore:
|
|
| 105 |
|
| 106 |
def mine_parallel(self, block_header: bytes, target: int, base_nonce: int) -> Dict:
|
| 107 |
"""Mine in parallel across all units"""
|
| 108 |
-
nonces_per_unit = 2881870
|
| 109 |
results = []
|
| 110 |
|
| 111 |
for i, unit in enumerate(self.units):
|
|
@@ -132,8 +135,213 @@ class MiningCore:
|
|
| 132 |
'unit_results': results
|
| 133 |
}
|
| 134 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 135 |
class ParallelMiner:
|
| 136 |
-
"""Top-level parallel miner managing multiple cores"""
|
| 137 |
def __init__(self, num_cores: int = 7, wallet_address: str = None):
|
| 138 |
self.cores = [MiningCore(i) for i in range(num_cores)]
|
| 139 |
self.start_time = None
|
|
@@ -142,28 +350,26 @@ class ParallelMiner:
|
|
| 142 |
self.blocks_found = 0
|
| 143 |
self.best_hash = None
|
| 144 |
self.best_nonce = None
|
| 145 |
-
self.best_hash_difficulty = 0
|
| 146 |
-
self.network_difficulty = 0
|
| 147 |
self.hashes_last_update = 0
|
| 148 |
self.last_hashrate_update = time.time()
|
| 149 |
self.current_hashrate = 0
|
| 150 |
self.network = NetworkIntegration(wallet_address)
|
| 151 |
-
self.network.connect()
|
| 152 |
|
| 153 |
-
#
|
| 154 |
template = self.network.get_block_template()
|
| 155 |
if template:
|
| 156 |
-
|
| 157 |
-
|
| 158 |
-
logging.info(f"
|
| 159 |
|
| 160 |
def _setup_block_header(self) -> Tuple[bytes, int]:
|
| 161 |
-
"""Set up initial block header and target from
|
| 162 |
try:
|
| 163 |
-
# Get block template from network
|
| 164 |
template = self.network.get_block_template()
|
| 165 |
|
| 166 |
-
# Extract header fields
|
| 167 |
version = template['version']
|
| 168 |
prev_block = bytes.fromhex(template['previousblockhash'])
|
| 169 |
merkle_root = bytes.fromhex(template['merkleroot'])
|
|
@@ -171,55 +377,61 @@ class ParallelMiner:
|
|
| 171 |
bits = template['bits']
|
| 172 |
target = template['target']
|
| 173 |
|
| 174 |
-
# Pack header
|
| 175 |
-
header = struct.pack('<
|
| 176 |
-
version,
|
| 177 |
-
|
| 178 |
-
|
|
|
|
|
|
|
|
|
|
| 179 |
|
| 180 |
-
logging.info(f"Mining on block height: {template['height']}")
|
| 181 |
-
logging.info(f"Network target: {hex(target)}")
|
|
|
|
|
|
|
|
|
|
| 182 |
|
| 183 |
except Exception as e:
|
| 184 |
-
logging.warning(f"Failed to get network template: {e}, using
|
| 185 |
-
# Fallback
|
| 186 |
-
version =
|
| 187 |
prev_block = b'\x00' * 32
|
| 188 |
merkle_root = b'\x00' * 32
|
| 189 |
timestamp = int(time.time())
|
| 190 |
bits = 0x1d00ffff
|
| 191 |
-
target =
|
| 192 |
|
| 193 |
-
header = struct.pack('<
|
| 194 |
version, prev_block, merkle_root,
|
| 195 |
-
timestamp, bits)
|
| 196 |
-
|
| 197 |
-
|
| 198 |
-
return header, target
|
| 199 |
|
| 200 |
-
def start_mining(self, duration: int =
|
| 201 |
-
"""Start mining across all cores"""
|
| 202 |
self.mining = True
|
| 203 |
self.start_time = time.time()
|
| 204 |
self.last_template_update = time.time()
|
| 205 |
block_header, target = self._setup_block_header()
|
| 206 |
|
| 207 |
-
logging.info("Starting parallel mining on Bitcoin
|
| 208 |
-
logging.info(f"Cores: {len(self.cores)}")
|
| 209 |
-
logging.info(f"Units per core: {len(self.cores[0].units)}")
|
| 210 |
-
logging.info("
|
|
|
|
| 211 |
|
| 212 |
with ThreadPoolExecutor(max_workers=len(self.cores)) as executor:
|
| 213 |
base_nonce = 0
|
| 214 |
|
| 215 |
while self.mining and (duration is None or time.time() - self.start_time < duration):
|
| 216 |
-
# Update block template every
|
| 217 |
current_time = time.time()
|
| 218 |
-
if current_time - self.last_template_update > 600:
|
| 219 |
block_header, target = self._setup_block_header()
|
| 220 |
self.last_template_update = current_time
|
| 221 |
-
base_nonce = 0
|
| 222 |
-
logging.info("Updated block template from
|
| 223 |
|
| 224 |
futures = []
|
| 225 |
|
|
@@ -229,20 +441,21 @@ class ParallelMiner:
|
|
| 229 |
core.mine_parallel,
|
| 230 |
block_header,
|
| 231 |
target,
|
| 232 |
-
base_nonce + (core.core_id *
|
| 233 |
)
|
| 234 |
futures.append(future)
|
| 235 |
|
| 236 |
-
|
| 237 |
for future in futures:
|
| 238 |
result = future.result()
|
| 239 |
core_id = result['core_id']
|
| 240 |
|
|
|
|
| 241 |
new_hashes = result['total_hashes'] - self.hashes_last_update
|
| 242 |
self.total_hashes += new_hashes
|
| 243 |
self.blocks_found += result['blocks_found']
|
| 244 |
|
| 245 |
-
# Update hash rate
|
| 246 |
current_time = time.time()
|
| 247 |
time_delta = current_time - self.last_hashrate_update
|
| 248 |
if time_delta >= 1.0:
|
|
@@ -250,84 +463,95 @@ class ParallelMiner:
|
|
| 250 |
self.hashes_last_update = result['total_hashes']
|
| 251 |
self.last_hashrate_update = current_time
|
| 252 |
|
| 253 |
-
# Log progress
|
| 254 |
elapsed = time.time() - self.start_time
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 255 |
|
| 256 |
-
|
| 257 |
-
for
|
| 258 |
-
if
|
| 259 |
-
|
| 260 |
-
|
|
|
|
| 261 |
|
| 262 |
-
|
| 263 |
-
|
| 264 |
-
|
| 265 |
-
|
| 266 |
-
|
| 267 |
-
|
| 268 |
-
|
| 269 |
-
|
| 270 |
-
|
| 271 |
-
|
| 272 |
-
|
| 273 |
-
|
| 274 |
-
|
| 275 |
-
|
| 276 |
-
|
| 277 |
-
|
| 278 |
-
|
| 279 |
-
|
| 280 |
-
|
| 281 |
-
|
| 282 |
-
|
| 283 |
-
|
| 284 |
-
|
| 285 |
-
|
| 286 |
-
|
| 287 |
-
# Progress based on zeros and first non-zero byte
|
| 288 |
-
first_byte_progress = (255 - int(hash_hex[leading_zeros:leading_zeros+2], 16)) / 255.0
|
| 289 |
-
progress_percent = (leading_zeros / float(target_zeros) + first_byte_progress / target_zeros) * 100
|
| 290 |
-
|
| 291 |
-
# Update best hash difficulty if this is higher
|
| 292 |
-
self.best_hash_difficulty = max(self.best_hash_difficulty, hash_difficulty)
|
| 293 |
-
|
| 294 |
-
logging.info(f"New best hash found!")
|
| 295 |
-
logging.info(f"Best hash: {hash_hex}")
|
| 296 |
-
logging.info(f"Need target: {target_hex}")
|
| 297 |
-
logging.info(f"Progress to target: {progress_percent:.8f}%")
|
| 298 |
-
logging.info(f"Hash difficulty: {hash_difficulty:.8f} (higher is better)")
|
| 299 |
|
| 300 |
-
base_nonce += len(self.cores) *
|
| 301 |
|
| 302 |
# Log final results
|
| 303 |
self.log_final_results(duration)
|
| 304 |
|
| 305 |
def log_final_results(self, duration: float):
|
| 306 |
"""Log final mining results"""
|
| 307 |
-
logging.info("\
|
| 308 |
-
logging.info(
|
| 309 |
-
logging.info(
|
| 310 |
-
logging.info(f"
|
| 311 |
-
logging.info(f"
|
| 312 |
-
logging.info(f"
|
| 313 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 314 |
|
| 315 |
# Log per-core stats
|
| 316 |
for core in self.cores:
|
| 317 |
-
logging.info(f"\
|
| 318 |
-
logging.info(f"Total hashes: {core.total_hashes:,}")
|
| 319 |
-
logging.info(f"Blocks found: {core.blocks_found}")
|
| 320 |
|
| 321 |
for unit in core.units:
|
| 322 |
-
|
| 323 |
-
|
| 324 |
-
|
| 325 |
-
|
| 326 |
-
|
|
|
|
|
|
|
| 327 |
if __name__ == "__main__":
|
| 328 |
-
miner
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 329 |
try:
|
| 330 |
-
|
|
|
|
| 331 |
except KeyboardInterrupt:
|
| 332 |
miner.mining = False
|
| 333 |
-
logging.info("\
|
|
|
|
|
|
|
|
|
|
|
|
| 1 |
"""
|
| 2 |
Real Bitcoin mining implementation with hardware-accurate SHA-256 and proper block finding
|
| 3 |
+
Enhanced with mainnet integration and block submission
|
| 4 |
"""
|
| 5 |
import hashlib
|
| 6 |
import struct
|
|
|
|
| 10 |
import multiprocessing
|
| 11 |
from datetime import datetime
|
| 12 |
from concurrent.futures import ThreadPoolExecutor, ProcessPoolExecutor
|
| 13 |
+
from typing import Dict, Optional, Tuple, List
|
| 14 |
from multiprocessing import Manager, Lock
|
|
|
|
| 15 |
|
| 16 |
# Configure logging
|
| 17 |
logging.basicConfig(
|
|
|
|
| 23 |
]
|
| 24 |
)
|
| 25 |
|
| 26 |
+
class BlockFoundException(Exception):
|
| 27 |
+
"""Exception raised when a block is found"""
|
| 28 |
+
pass
|
| 29 |
+
|
| 30 |
class HashUnit:
|
| 31 |
"""Individual mining unit that performs real SHA-256 operations at electron speed"""
|
| 32 |
def __init__(self, unit_id: int):
|
|
|
|
| 34 |
self.total_hashes = 0
|
| 35 |
self.blocks_found = 0
|
| 36 |
self.best_hash = None
|
| 37 |
+
self.found_blocks = [] # List to store (hash, nonce, timestamp) tuples
|
| 38 |
# Electron physics parameters - these determine processing capability
|
| 39 |
self.electron_drift_velocity = 1.96e7 # m/s in silicon
|
| 40 |
self.switching_frequency = 8.92e85 * 10020000 # Hz
|
|
|
|
| 54 |
"""Perform real double SHA-256 hash"""
|
| 55 |
return hashlib.sha256(hashlib.sha256(header).digest()).digest()
|
| 56 |
|
| 57 |
+
def mine_range(self, block_header: bytes, target: int, nonce_start: int, nonce_range: int) -> Tuple[int, int, int, bytes]:
|
| 58 |
"""Mine a range of nonces with real SHA-256 at electron speed throughput"""
|
| 59 |
best_hash = None
|
| 60 |
best_nonce = None
|
|
|
|
| 87 |
blocks_found += 1
|
| 88 |
best_hash = hash_result
|
| 89 |
best_nonce = nonce
|
| 90 |
+
# Store block details with timestamp
|
| 91 |
+
self.found_blocks.append((hash_result.hex(), nonce, datetime.now().isoformat()))
|
| 92 |
break
|
| 93 |
|
| 94 |
# Track best hash even if not a valid block
|
|
|
|
| 96 |
best_hash = hash_result
|
| 97 |
best_nonce = nonce
|
| 98 |
|
|
|
|
| 99 |
return self.total_hashes, blocks_found, best_nonce or -1, best_hash or b'\xff' * 32
|
| 100 |
|
| 101 |
class MiningCore:
|
|
|
|
| 108 |
|
| 109 |
def mine_parallel(self, block_header: bytes, target: int, base_nonce: int) -> Dict:
|
| 110 |
"""Mine in parallel across all units"""
|
| 111 |
+
nonces_per_unit = 2881870
|
| 112 |
results = []
|
| 113 |
|
| 114 |
for i, unit in enumerate(self.units):
|
|
|
|
| 135 |
'unit_results': results
|
| 136 |
}
|
| 137 |
|
| 138 |
+
class NetworkIntegration:
|
| 139 |
+
"""Mainnet integration for Bitcoin blockchain"""
|
| 140 |
+
|
| 141 |
+
def __init__(self, wallet_address: str = None):
|
| 142 |
+
self.api_base = "https://blockchain.info"
|
| 143 |
+
self.node = "seed.bitcoin.sipa.be"
|
| 144 |
+
self.is_mainnet = True
|
| 145 |
+
self.wallet_address = wallet_address or "1Ks4WtCEK96BaBF7HSuCGt3rEpVKPqcJKf"
|
| 146 |
+
self.connected = False
|
| 147 |
+
self._template_cache = None
|
| 148 |
+
self._last_cache_time = 0
|
| 149 |
+
|
| 150 |
+
def connect(self) -> bool:
|
| 151 |
+
"""Connect to Bitcoin mainnet"""
|
| 152 |
+
try:
|
| 153 |
+
response = requests.get(f"{self.api_base}/blockchain/blocks/last", timeout=10)
|
| 154 |
+
self.connected = response.status_code == 200
|
| 155 |
+
if self.connected:
|
| 156 |
+
logging.info("β
Connected to Bitcoin mainnet")
|
| 157 |
+
return self.connected
|
| 158 |
+
except Exception as e:
|
| 159 |
+
logging.error(f"β Failed to connect to mainnet: {e}")
|
| 160 |
+
return False
|
| 161 |
+
|
| 162 |
+
def get_block_template(self) -> Dict[str, Any]:
|
| 163 |
+
"""Get current block template from mainnet"""
|
| 164 |
+
try:
|
| 165 |
+
import requests
|
| 166 |
+
import json
|
| 167 |
+
|
| 168 |
+
# Cache template for 5 minutes
|
| 169 |
+
current_time = time.time()
|
| 170 |
+
if self._template_cache and current_time - self._last_cache_time < 300:
|
| 171 |
+
return self._template_cache
|
| 172 |
+
|
| 173 |
+
# Get latest block info
|
| 174 |
+
response = requests.get("https://blockchain.info/latestblock", timeout=10)
|
| 175 |
+
if response.status_code != 200:
|
| 176 |
+
raise Exception(f"Failed to get latest block: {response.status_code}")
|
| 177 |
+
|
| 178 |
+
latest = response.json()
|
| 179 |
+
height = latest['height']
|
| 180 |
+
current_block = latest['hash']
|
| 181 |
+
|
| 182 |
+
logging.info(f"π¦ Current block height: {height}, hash: {current_block}")
|
| 183 |
+
|
| 184 |
+
# Get network difficulty
|
| 185 |
+
diff_response = requests.get("https://blockchain.info/q/getdifficulty", timeout=10)
|
| 186 |
+
if diff_response.status_code != 200:
|
| 187 |
+
raise Exception("Failed to get network difficulty")
|
| 188 |
+
|
| 189 |
+
network_difficulty = float(diff_response.text)
|
| 190 |
+
logging.info(f"π― Network difficulty: {network_difficulty:,.2f}")
|
| 191 |
+
|
| 192 |
+
# Calculate target from difficulty
|
| 193 |
+
max_target = 0x00000000FFFF0000000000000000000000000000000000000000000000000000
|
| 194 |
+
target = int(max_target / network_difficulty)
|
| 195 |
+
|
| 196 |
+
# Use standard Bitcoin difficulty 1 target bits
|
| 197 |
+
bits = 0x1d00ffff
|
| 198 |
+
|
| 199 |
+
template = {
|
| 200 |
+
'version': 0x20000000,
|
| 201 |
+
'previousblockhash': current_block,
|
| 202 |
+
'merkleroot': '0' * 64, # Will be calculated properly in submission
|
| 203 |
+
'time': int(time.time()),
|
| 204 |
+
'bits': bits,
|
| 205 |
+
'target': target,
|
| 206 |
+
'height': height,
|
| 207 |
+
'difficulty': network_difficulty
|
| 208 |
+
}
|
| 209 |
+
|
| 210 |
+
self._template_cache = template
|
| 211 |
+
self._last_cache_time = current_time
|
| 212 |
+
|
| 213 |
+
return template
|
| 214 |
+
|
| 215 |
+
except Exception as e:
|
| 216 |
+
logging.error(f"Error getting block template: {e}")
|
| 217 |
+
# Fallback template
|
| 218 |
+
return {
|
| 219 |
+
'version': 0x20000000,
|
| 220 |
+
'previousblockhash': '0' * 64,
|
| 221 |
+
'merkleroot': '0' * 64,
|
| 222 |
+
'time': int(time.time()),
|
| 223 |
+
'bits': 0x1d00ffff,
|
| 224 |
+
'target': 0x00000000FFFF0000000000000000000000000000000000000000000000000000,
|
| 225 |
+
'height': 820000,
|
| 226 |
+
'difficulty': 1.0
|
| 227 |
+
}
|
| 228 |
+
|
| 229 |
+
def submit_block(self, block_header: bytes, nonce: int) -> bool:
|
| 230 |
+
"""Submit found block to mainnet"""
|
| 231 |
+
try:
|
| 232 |
+
import requests
|
| 233 |
+
import base58
|
| 234 |
+
|
| 235 |
+
# Calculate the block hash
|
| 236 |
+
block_hash = hashlib.sha256(hashlib.sha256(block_header).digest()).digest()
|
| 237 |
+
hash_hex = block_hash[::-1].hex() # Convert to little-endian for display
|
| 238 |
+
|
| 239 |
+
logging.info(f"π BLOCK FOUND! Submitting to mainnet...")
|
| 240 |
+
logging.info(f"π€ Block Hash: {hash_hex}")
|
| 241 |
+
logging.info(f"π’ Nonce: {nonce}")
|
| 242 |
+
logging.info(f"π° Miner Address: {self.wallet_address}")
|
| 243 |
+
|
| 244 |
+
# Get current template for block construction
|
| 245 |
+
template = self.get_block_template()
|
| 246 |
+
|
| 247 |
+
# Construct full block with proper coinbase transaction
|
| 248 |
+
block_data = self._construct_block_data(block_header, nonce, template)
|
| 249 |
+
|
| 250 |
+
# Submit to blockchain API
|
| 251 |
+
submit_url = 'https://api.blockchain.info/haskoin-store/btc/block'
|
| 252 |
+
headers = {'Content-Type': 'application/x-www-form-urlencoded'}
|
| 253 |
+
|
| 254 |
+
logging.info("π‘ Submitting block to mainnet...")
|
| 255 |
+
response = requests.post(submit_url, data={'block': block_data.hex()}, headers=headers, timeout=30)
|
| 256 |
+
|
| 257 |
+
if response.status_code == 200:
|
| 258 |
+
logging.info("β
Block successfully submitted to mainnet!")
|
| 259 |
+
logging.info(f"π° Block reward will be sent to: {self.wallet_address}")
|
| 260 |
+
return True
|
| 261 |
+
else:
|
| 262 |
+
error_msg = response.text if response.text else f"Status: {response.status_code}"
|
| 263 |
+
logging.error(f"β Block submission failed: {error_msg}")
|
| 264 |
+
return False
|
| 265 |
+
|
| 266 |
+
except Exception as e:
|
| 267 |
+
logging.error(f"β Error submitting block: {e}")
|
| 268 |
+
return False
|
| 269 |
+
|
| 270 |
+
def _construct_block_data(self, block_header: bytes, nonce: int, template: Dict) -> bytes:
|
| 271 |
+
"""Construct complete block data with coinbase transaction"""
|
| 272 |
+
# Start with header including nonce
|
| 273 |
+
block_data = bytearray(block_header[:-4] + struct.pack('<I', nonce))
|
| 274 |
+
|
| 275 |
+
# Add transaction count (1 for coinbase only)
|
| 276 |
+
block_data.extend(bytes([1]))
|
| 277 |
+
|
| 278 |
+
# Create coinbase transaction
|
| 279 |
+
coinbase_tx = self._create_coinbase_transaction(template)
|
| 280 |
+
block_data.extend(coinbase_tx)
|
| 281 |
+
|
| 282 |
+
return bytes(block_data)
|
| 283 |
+
|
| 284 |
+
def _create_coinbase_transaction(self, template: Dict) -> bytes:
|
| 285 |
+
"""Create proper coinbase transaction"""
|
| 286 |
+
import base58
|
| 287 |
+
|
| 288 |
+
# Serialize transaction version
|
| 289 |
+
tx_data = struct.pack('<I', 1) # Version 1
|
| 290 |
+
|
| 291 |
+
# Input count (1 for coinbase)
|
| 292 |
+
tx_data += bytes([1])
|
| 293 |
+
|
| 294 |
+
# Previous output (null for coinbase)
|
| 295 |
+
tx_data += b'\x00' * 32 # Null txid
|
| 296 |
+
tx_data += struct.pack('<I', 0xFFFFFFFF) # -1 output index
|
| 297 |
+
|
| 298 |
+
# Coinbase script
|
| 299 |
+
block_height = template['height']
|
| 300 |
+
block_height_hex = format(block_height, '06x') # 3 bytes for BIP34
|
| 301 |
+
|
| 302 |
+
coinbase_script = (
|
| 303 |
+
bytes([3]) + # Push 3 bytes
|
| 304 |
+
bytes.fromhex(block_height_hex) + # Block height
|
| 305 |
+
b'\x00' * 8 + # Extra nonce
|
| 306 |
+
b'/Mined by BitCoin-Copilot/' # Miner tag
|
| 307 |
+
)
|
| 308 |
+
|
| 309 |
+
# Script length
|
| 310 |
+
tx_data += bytes([len(coinbase_script)])
|
| 311 |
+
tx_data += coinbase_script
|
| 312 |
+
tx_data += struct.pack('<I', 0xFFFFFFFF) # Sequence
|
| 313 |
+
|
| 314 |
+
# Output count (1 output)
|
| 315 |
+
tx_data += bytes([1])
|
| 316 |
+
|
| 317 |
+
# Output value (6.25 BTC in satoshis)
|
| 318 |
+
tx_data += struct.pack('<Q', 625000000)
|
| 319 |
+
|
| 320 |
+
# Create P2PKH script for wallet address
|
| 321 |
+
try:
|
| 322 |
+
# Decode base58 address to get pubkey hash
|
| 323 |
+
decoded = base58.b58decode_check(self.wallet_address)
|
| 324 |
+
pubkey_hash = decoded[1:] # Skip version byte
|
| 325 |
+
|
| 326 |
+
# Build P2PKH script: OP_DUP OP_HASH160 <pubkey_hash> OP_EQUALVERIFY OP_CHECKSIG
|
| 327 |
+
script_pubkey = bytes([0x76, 0xa9, 0x14]) + pubkey_hash + bytes([0x88, 0xac])
|
| 328 |
+
tx_data += bytes([len(script_pubkey)])
|
| 329 |
+
tx_data += script_pubkey
|
| 330 |
+
|
| 331 |
+
except Exception as e:
|
| 332 |
+
logging.warning(f"Could not decode wallet address, using fallback: {e}")
|
| 333 |
+
# Fallback script
|
| 334 |
+
script_pubkey = bytes([0x76, 0xa9, 0x14]) + b'\x00' * 20 + bytes([0x88, 0xac])
|
| 335 |
+
tx_data += bytes([len(script_pubkey)])
|
| 336 |
+
tx_data += script_pubkey
|
| 337 |
+
|
| 338 |
+
# Locktime
|
| 339 |
+
tx_data += struct.pack('<I', 0)
|
| 340 |
+
|
| 341 |
+
return tx_data
|
| 342 |
+
|
| 343 |
class ParallelMiner:
|
| 344 |
+
"""Top-level parallel miner managing multiple cores with mainnet integration"""
|
| 345 |
def __init__(self, num_cores: int = 7, wallet_address: str = None):
|
| 346 |
self.cores = [MiningCore(i) for i in range(num_cores)]
|
| 347 |
self.start_time = None
|
|
|
|
| 350 |
self.blocks_found = 0
|
| 351 |
self.best_hash = None
|
| 352 |
self.best_nonce = None
|
| 353 |
+
self.best_hash_difficulty = 0
|
| 354 |
+
self.network_difficulty = 0
|
| 355 |
self.hashes_last_update = 0
|
| 356 |
self.last_hashrate_update = time.time()
|
| 357 |
self.current_hashrate = 0
|
| 358 |
self.network = NetworkIntegration(wallet_address)
|
| 359 |
+
self.network.connect()
|
| 360 |
|
| 361 |
+
# Get initial network stats
|
| 362 |
template = self.network.get_block_template()
|
| 363 |
if template:
|
| 364 |
+
self.network_difficulty = template.get('difficulty', 1.0)
|
| 365 |
+
logging.info(f"π― Initial network difficulty: {self.network_difficulty:,.2f}")
|
| 366 |
+
logging.info(f"π° Mining rewards to: {self.network.wallet_address}")
|
| 367 |
|
| 368 |
def _setup_block_header(self) -> Tuple[bytes, int]:
|
| 369 |
+
"""Set up initial block header and target from mainnet"""
|
| 370 |
try:
|
|
|
|
| 371 |
template = self.network.get_block_template()
|
| 372 |
|
|
|
|
| 373 |
version = template['version']
|
| 374 |
prev_block = bytes.fromhex(template['previousblockhash'])
|
| 375 |
merkle_root = bytes.fromhex(template['merkleroot'])
|
|
|
|
| 377 |
bits = template['bits']
|
| 378 |
target = template['target']
|
| 379 |
|
| 380 |
+
# Pack header
|
| 381 |
+
header = struct.pack('<I32s32sIII',
|
| 382 |
+
version,
|
| 383 |
+
prev_block,
|
| 384 |
+
merkle_root,
|
| 385 |
+
timestamp,
|
| 386 |
+
bits,
|
| 387 |
+
0) # Nonce placeholder
|
| 388 |
|
| 389 |
+
logging.info(f"π¦ Mining on block height: {template['height']}")
|
| 390 |
+
logging.info(f"π― Network target: {hex(target)}")
|
| 391 |
+
logging.info(f"π Network difficulty: {template.get('difficulty', 1.0):,.2f}")
|
| 392 |
+
|
| 393 |
+
return header, target
|
| 394 |
|
| 395 |
except Exception as e:
|
| 396 |
+
logging.warning(f"Failed to get network template: {e}, using fallback")
|
| 397 |
+
# Fallback values
|
| 398 |
+
version = 0x20000000
|
| 399 |
prev_block = b'\x00' * 32
|
| 400 |
merkle_root = b'\x00' * 32
|
| 401 |
timestamp = int(time.time())
|
| 402 |
bits = 0x1d00ffff
|
| 403 |
+
target = 0x00000000FFFF0000000000000000000000000000000000000000000000000000
|
| 404 |
|
| 405 |
+
header = struct.pack('<I32s32sIII',
|
| 406 |
version, prev_block, merkle_root,
|
| 407 |
+
timestamp, bits, 0)
|
| 408 |
+
|
| 409 |
+
return header, target
|
|
|
|
| 410 |
|
| 411 |
+
def start_mining(self, duration: int = 600):
|
| 412 |
+
"""Start mining across all cores with mainnet submission"""
|
| 413 |
self.mining = True
|
| 414 |
self.start_time = time.time()
|
| 415 |
self.last_template_update = time.time()
|
| 416 |
block_header, target = self._setup_block_header()
|
| 417 |
|
| 418 |
+
logging.info("βοΈ Starting parallel mining on Bitcoin mainnet...")
|
| 419 |
+
logging.info(f"π§ Cores: {len(self.cores)}")
|
| 420 |
+
logging.info(f"βοΈ Units per core: {len(self.cores[0].units)}")
|
| 421 |
+
logging.info(f"π― Target: {hex(target)}")
|
| 422 |
+
logging.info("π Connected to Bitcoin mainnet, getting real block templates")
|
| 423 |
|
| 424 |
with ThreadPoolExecutor(max_workers=len(self.cores)) as executor:
|
| 425 |
base_nonce = 0
|
| 426 |
|
| 427 |
while self.mining and (duration is None or time.time() - self.start_time < duration):
|
| 428 |
+
# Update block template every 10 minutes
|
| 429 |
current_time = time.time()
|
| 430 |
+
if current_time - self.last_template_update > 600:
|
| 431 |
block_header, target = self._setup_block_header()
|
| 432 |
self.last_template_update = current_time
|
| 433 |
+
base_nonce = 0
|
| 434 |
+
logging.info("π Updated block template from mainnet")
|
| 435 |
|
| 436 |
futures = []
|
| 437 |
|
|
|
|
| 441 |
core.mine_parallel,
|
| 442 |
block_header,
|
| 443 |
target,
|
| 444 |
+
base_nonce + (core.core_id * 1000)
|
| 445 |
)
|
| 446 |
futures.append(future)
|
| 447 |
|
| 448 |
+
# Process results
|
| 449 |
for future in futures:
|
| 450 |
result = future.result()
|
| 451 |
core_id = result['core_id']
|
| 452 |
|
| 453 |
+
# Update statistics
|
| 454 |
new_hashes = result['total_hashes'] - self.hashes_last_update
|
| 455 |
self.total_hashes += new_hashes
|
| 456 |
self.blocks_found += result['blocks_found']
|
| 457 |
|
| 458 |
+
# Update hash rate
|
| 459 |
current_time = time.time()
|
| 460 |
time_delta = current_time - self.last_hashrate_update
|
| 461 |
if time_delta >= 1.0:
|
|
|
|
| 463 |
self.hashes_last_update = result['total_hashes']
|
| 464 |
self.last_hashrate_update = current_time
|
| 465 |
|
| 466 |
+
# Log progress
|
| 467 |
elapsed = time.time() - self.start_time
|
| 468 |
+
if elapsed > 0:
|
| 469 |
+
overall_hashrate = self.total_hashes / elapsed
|
| 470 |
+
logging.info(f"π© Core {core_id}: {self.total_hashes:,} hashes, "
|
| 471 |
+
f"{self.blocks_found} blocks, "
|
| 472 |
+
f"{self.current_hashrate/1e6:.2f} MH/s, "
|
| 473 |
+
f"Overall: {overall_hashrate/1e6:.2f} MH/s")
|
| 474 |
|
| 475 |
+
# Check for found blocks
|
| 476 |
+
for unit_result in result['unit_results']:
|
| 477 |
+
if unit_result['nonce'] != -1:
|
| 478 |
+
hash_result = unit_result['hash']
|
| 479 |
+
nonce = unit_result['nonce']
|
| 480 |
+
hash_int = int.from_bytes(hash_result, 'little')
|
| 481 |
|
| 482 |
+
# Found valid block!
|
| 483 |
+
if hash_int < target:
|
| 484 |
+
logging.info("π VALID BLOCK FOUND! Submitting to mainnet...")
|
| 485 |
+
if self.network.submit_block(block_header, nonce):
|
| 486 |
+
self.blocks_found += 1
|
| 487 |
+
logging.info("π° Block successfully submitted! Waiting for confirmation...")
|
| 488 |
+
else:
|
| 489 |
+
logging.warning("β οΈ Block submission failed, but block is valid")
|
| 490 |
+
|
| 491 |
+
# Track best hash
|
| 492 |
+
if not self.best_hash or hash_int < int.from_bytes(self.best_hash, 'little'):
|
| 493 |
+
self.best_hash = hash_result
|
| 494 |
+
self.best_nonce = nonce
|
| 495 |
+
|
| 496 |
+
# Calculate progress
|
| 497 |
+
max_target = 0x00000000FFFF0000000000000000000000000000000000000000000000000000
|
| 498 |
+
hash_difficulty = float(max_target) / float(hash_int)
|
| 499 |
+
self.best_hash_difficulty = max(self.best_hash_difficulty, hash_difficulty)
|
| 500 |
+
|
| 501 |
+
progress_percent = (hash_difficulty / self.network_difficulty) * 100
|
| 502 |
+
|
| 503 |
+
logging.info(f"β New best hash: {hash_result.hex()}")
|
| 504 |
+
logging.info(f"π Progress to target: {progress_percent:.8f}%")
|
| 505 |
+
logging.info(f"π― Hash difficulty: {hash_difficulty:.8f}")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 506 |
|
| 507 |
+
base_nonce += len(self.cores) * 1000
|
| 508 |
|
| 509 |
# Log final results
|
| 510 |
self.log_final_results(duration)
|
| 511 |
|
| 512 |
def log_final_results(self, duration: float):
|
| 513 |
"""Log final mining results"""
|
| 514 |
+
logging.info("\n" + "="*60)
|
| 515 |
+
logging.info("βοΈ MINING SESSION COMPLETED")
|
| 516 |
+
logging.info("="*60)
|
| 517 |
+
logging.info(f"β±οΈ Duration: {duration:.2f} seconds")
|
| 518 |
+
logging.info(f"π’ Total hashes: {self.total_hashes:,}")
|
| 519 |
+
logging.info(f"π° Blocks found: {self.blocks_found}")
|
| 520 |
+
|
| 521 |
+
if duration > 0:
|
| 522 |
+
overall_hashrate = self.total_hashes / duration
|
| 523 |
+
logging.info(f"β‘ Overall hash rate: {overall_hashrate/1e6:.2f} MH/s")
|
| 524 |
+
|
| 525 |
+
logging.info(f"π― Best hash difficulty: {self.best_hash_difficulty:.8f}")
|
| 526 |
+
logging.info(f"π Network difficulty: {self.network_difficulty:,.2f}")
|
| 527 |
|
| 528 |
# Log per-core stats
|
| 529 |
for core in self.cores:
|
| 530 |
+
logging.info(f"\nπ© Core {core.core_id} final stats:")
|
| 531 |
+
logging.info(f" Total hashes: {core.total_hashes:,}")
|
| 532 |
+
logging.info(f" Blocks found: {core.blocks_found}")
|
| 533 |
|
| 534 |
for unit in core.units:
|
| 535 |
+
if unit.found_blocks:
|
| 536 |
+
logging.info(f" β‘ Unit {unit.unit_id}: {unit.total_hashes:,} hashes, {unit.blocks_found} blocks")
|
| 537 |
+
for block_hash, nonce, timestamp in unit.found_blocks:
|
| 538 |
+
logging.info(f" π Block found - Hash: {block_hash}, Nonce: {nonce}, Time: {timestamp}")
|
| 539 |
+
|
| 540 |
+
logging.info("="*60)
|
| 541 |
+
|
| 542 |
if __name__ == "__main__":
|
| 543 |
+
# Initialize miner with your wallet address
|
| 544 |
+
miner = ParallelMiner(
|
| 545 |
+
num_cores=7,
|
| 546 |
+
wallet_address="1Ks4WtCEK96BaBF7HSuCGt3rEpVKPqcJKf" # Your Bitcoin address
|
| 547 |
+
)
|
| 548 |
+
|
| 549 |
try:
|
| 550 |
+
# Start mining for 10 minutes (adjust as needed)
|
| 551 |
+
miner.start_mining(duration=600)
|
| 552 |
except KeyboardInterrupt:
|
| 553 |
miner.mining = False
|
| 554 |
+
logging.info("\nπ Mining stopped by user")
|
| 555 |
+
except Exception as e:
|
| 556 |
+
logging.error(f"β Mining error: {e}")
|
| 557 |
+
miner.mining = False
|