File size: 7,960 Bytes
d775986 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 | #!/usr/bin/env python3
# talkto.py β Async Router for HAZE + CLOUD
#
# Unified async interface:
# - Default: HAZE only (fast, autonomous)
# - /cloud: Toggle CLOUD mode (pre-semantic sonar)
# - /stats: Show bridge statistics
#
# Design principle: HAZE IS ALWAYS AUTONOMOUS
# - CLOUD is optional enhancement
# - Silent fallback if CLOUD fails
# - No errors leak to user
#
# "Two minds that can resonate together,
# but never depend on each other."
import sys
import asyncio
from pathlib import Path
# Add paths
sys.path.insert(0, str(Path(__file__).parent))
sys.path.insert(0, str(Path(__file__).parent / "haze"))
from bridge import AsyncBridge, HAS_CLOUD, HAS_HAZE
class AsyncHazeCloudRouter:
"""
Async router that orchestrates HAZE and CLOUD.
HAZE is always primary (autonomous voice generation).
CLOUD is optional (pre-semantic emotion detection).
Commands:
/cloud - toggle CLOUD mode
/stats - show bridge statistics
/help - show help
/quit - exit
Silent fallback: if CLOUD fails, HAZE continues without error messages.
"""
def __init__(self):
self.bridge: AsyncBridge = None
self.cloud_enabled = False
self._initialized = False
async def initialize(self):
"""Initialize the bridge."""
print("=" * 60)
print(" βββ βββ ββββββ ββββββββββββββββ")
print(" βββ βββββββββββββββββββββββββββ")
print(" ββββββββββββββββ βββββ ββββββ ")
print(" ββββββββββββββββ βββββ ββββββ ")
print(" βββ ββββββ βββββββββββββββββββ")
print(" βββ ββββββ βββββββββββββββββββ")
print("=" * 60)
print()
print(" HAZE + CLOUD Router (Async)")
print()
print(f" HAZE available: {'β' if HAS_HAZE else 'β'}")
print(f" CLOUD available: {'β' if HAS_CLOUD else 'β'}")
print()
# Create bridge
corpus_path = Path("haze/text.txt")
if not corpus_path.exists():
corpus_path = Path(__file__).parent / "haze" / "text.txt"
self.bridge = await AsyncBridge.create(
corpus_path=str(corpus_path),
enable_cloud=True,
silent_fallback=True,
cloud_timeout=0.5,
)
self._initialized = True
print(f" Bridge initialized:")
print(f" HAZE: {'β ready' if self.bridge.haze else 'β not available'}")
print(f" CLOUD: {'β ready' if self.bridge.cloud else 'β not available (silent fallback)'}")
print()
print(" Commands:")
print(" /cloud - toggle CLOUD emotion detection")
print(" /stats - show statistics")
print(" /help - show all commands")
print(" /quit - exit")
print()
print(" Mode: HAZE only (type /cloud to enable emotion detection)")
print("=" * 60)
print()
async def cleanup(self):
"""Cleanup resources."""
if self.bridge:
await self.bridge.__aexit__(None, None, None)
def toggle_cloud(self):
"""Toggle CLOUD mode."""
self.cloud_enabled = not self.cloud_enabled
if self.cloud_enabled:
if self.bridge.cloud:
print("β CLOUD enabled (pre-semantic emotion detection)")
else:
print("β CLOUD requested but not available (silent fallback active)")
else:
print("β CLOUD disabled (HAZE only mode)")
def show_stats(self):
"""Show bridge statistics."""
stats = self.bridge.stats()
print("=" * 60)
print(" Bridge Statistics")
print("=" * 60)
print()
print(f" HAZE: {'β active' if stats['haze_available'] else 'β not available'}")
print(f" CLOUD: {'β active' if stats['cloud_available'] else 'β not available'}")
print()
if stats['cloud_successes'] + stats['cloud_failures'] + stats['cloud_timeouts'] > 0:
print(" CLOUD stats:")
print(f" Successes: {stats['cloud_successes']}")
print(f" Failures: {stats['cloud_failures']}")
print(f" Timeouts: {stats['cloud_timeouts']}")
print(f" Success rate: {stats['cloud_success_rate']:.1%}")
else:
print(" CLOUD stats: no requests yet")
print()
print("=" * 60)
def show_help(self):
"""Show help."""
print()
print("Commands:")
print(" /cloud - toggle CLOUD emotion detection")
print(" /stats - show bridge statistics")
print(" /help - show this help")
print(" /quit - exit")
print()
print("Just type anything to talk to HAZE.")
if self.cloud_enabled:
print("CLOUD will detect emotions before HAZE responds.")
print()
async def process_input(self, user_input: str) -> str:
"""Process user input and generate response."""
response = await self.bridge.respond(
user_input,
use_cloud=self.cloud_enabled,
)
# Show CLOUD info if enabled and available
if self.cloud_enabled and response.cloud_hint:
hint = response.cloud_hint
print(f" [cloud] {hint.primary} + {hint.secondary}", end="")
if hint.anomaly.has_anomaly:
print(f" | {hint.anomaly.anomaly_type}", end="")
print()
return response.text
async def interactive_loop(self):
"""Main interactive loop."""
if not self._initialized:
await self.initialize()
while True:
try:
# Get input
try:
user_input = input("[you] ").strip()
except EOFError:
break
if not user_input:
continue
# Handle commands
if user_input.startswith("/"):
cmd = user_input.lower()
if cmd == "/cloud":
self.toggle_cloud()
continue
if cmd in ["/stats", "/stat"]:
self.show_stats()
continue
if cmd in ["/help", "/h", "/?"]:
self.show_help()
continue
if cmd in ["/quit", "/q", "/exit"]:
print("Goodbye! The haze settles...")
break
print(f"Unknown command: {user_input}")
print("Type /help for available commands")
continue
# Process input
response = await self.process_input(user_input)
print(f"[haze] {response}")
print()
except KeyboardInterrupt:
print("\n\nGoodbye! The haze settles...")
break
except Exception as e:
print(f"[error] {e}")
continue
await self.cleanup()
async def main():
"""Entry point."""
router = AsyncHazeCloudRouter()
await router.initialize()
await router.interactive_loop()
if __name__ == "__main__":
asyncio.run(main())
|