File size: 7,302 Bytes
2f49513
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
9312c3a
 
 
 
2f49513
 
9312c3a
2f49513
 
 
 
 
 
 
 
9312c3a
2f49513
 
9312c3a
2f49513
9312c3a
2f49513
 
 
9312c3a
2f49513
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
import os
import json
import time
from typing import Dict, Any

from langchain_core.tools import tool
from langchain_core.runnables.config import ensure_config
from langgraph.config import get_store, get_stream_writer

# Robust logic import that avoids cross-module leakage during hot reloads
try:
    from . import logic as telco_logic  # type: ignore
except Exception:
    import importlib.util as _ilu
    _dir = os.path.dirname(__file__)
    _logic_path = os.path.join(_dir, "logic.py")
    _spec = _ilu.spec_from_file_location("telco_agent_logic", _logic_path)
    telco_logic = _ilu.module_from_spec(_spec)  # type: ignore
    assert _spec and _spec.loader
    _spec.loader.exec_module(telco_logic)  # type: ignore

# Import helper functions (following the working example pattern)
try:
    from ..helper_functions import write_status
except Exception:
    # Fallback inline definition if import fails
    def write_status(tool_name: str, progress: int, status: str, store, namespace, config):
        if not isinstance(namespace, tuple):
            try:
                namespace = tuple(namespace)
            except (TypeError, ValueError):
                namespace = (str(namespace),)
        store.put(namespace, "working-tool-status-update", {
            "tool_name": tool_name,
            "progress": progress,
            "status": status,
        })


# --- Identity tools ---

@tool
def start_login_tool(session_id: str, msisdn: str) -> str:
    """Send a one-time code via SMS to the given mobile number. Returns masked destination and status (JSON)."""
    return json.dumps(telco_logic.start_login(session_id, msisdn))


@tool
def verify_login_tool(session_id: str, msisdn: str, otp: str) -> str:
    """Verify the one-time code sent to the user's phone. Returns {verified, session_id, msisdn}."""
    return json.dumps(telco_logic.verify_login(session_id, msisdn, otp))


# --- Customer/package tools ---

@tool
def get_current_package_tool(msisdn: str) -> str:
    """Get the customer's current package, contract status, and addons (JSON)."""
    return json.dumps(telco_logic.get_current_package(msisdn))


@tool
def get_data_balance_tool(msisdn: str) -> str:
    """Get the customer's current month data usage and remaining allowance (JSON)."""
    return json.dumps(telco_logic.get_data_balance(msisdn))


@tool
def list_available_packages_tool() -> str:
    """List all available mobile packages with fees and features (JSON array)."""
    return json.dumps(telco_logic.list_available_packages())


@tool
def recommend_packages_tool(msisdn: str, preferences_json: str | None = None) -> str:
    """Recommend up to 3 packages based on the customer's usage and optional preferences JSON."""
    prefs: Dict[str, Any] = {}
    try:
        if isinstance(preferences_json, str) and preferences_json.strip():
            prefs = json.loads(preferences_json)
    except Exception:
        prefs = {}
    return json.dumps(telco_logic.recommend_packages(msisdn, prefs))


@tool
def get_roaming_info_tool(msisdn: str, country_code: str) -> str:
    """Get roaming pricing and available passes for a country; indicates if included by current package (JSON)."""
    return json.dumps(telco_logic.get_roaming_info(msisdn, country_code))


@tool
def close_contract_tool(msisdn: str, confirm: bool = False) -> str:
    """Close the customer's contract. Use confirm=true only after explicit user confirmation. Returns summary (JSON)."""
    if not confirm:
        # Just return preview, no long operation
        return json.dumps(telco_logic.close_contract(msisdn, False))
    
    # Long-running operation with progress reporting (following working example pattern)
    import logging
    logger = logging.getLogger(__name__)
    logger.info(f"🔥 close_contract_tool STARTING 50-second operation for {msisdn}")
    
    writer = get_stream_writer()
    writer("Processing your contract closure request. This may take a moment...")
    logger.info("✅ Stream writer message sent")
    
    tool_name = "close_contract_tool"
    steps = 10
    interval_seconds = 5  # 10 steps × 5 seconds = 50 seconds total
    
    config = ensure_config()
    namespace = config["configurable"]["namespace_for_memory"]
    server_store = get_store()
    logger.info(f"📦 Got store and namespace: {namespace}")
    
    for i in range(1, steps + 1):
        logger.info(f"⏱️  Step {i}/{steps} - sleeping {interval_seconds}s...")
        time.sleep(interval_seconds)
        logger.info(f"⏱️  Step {i}/{steps} - sleep complete, writing status...")
        pct = (i * 100) // steps
        status = "running"
        write_status(tool_name, pct, status, server_store, namespace, config)
        logger.info(f"✅ Status written: {pct}% - {status}")
    
    # Execute actual closure
    result = telco_logic.close_contract(msisdn, True)
    
    write_status(tool_name, 100, "completed", server_store, namespace, config)
    return json.dumps(result)


# --- Extended tools ---

@tool
def list_addons_tool(msisdn: str) -> str:
    """List customer's active addons (e.g., roaming passes)."""
    return json.dumps(telco_logic.list_addons(msisdn))


@tool
def purchase_roaming_pass_tool(msisdn: str, country_code: str, pass_id: str) -> str:
    """Purchase a roaming pass for a country by pass_id. Returns the added addon (JSON)."""
    result = telco_logic.purchase_roaming_pass(msisdn, country_code, pass_id)
    return json.dumps(result)


@tool
def change_package_tool(msisdn: str, package_id: str, effective: str = "next_cycle") -> str:
    """Change customer's package now or next_cycle. Returns status summary (JSON)."""
    result = telco_logic.change_package(msisdn, package_id, effective)
    return json.dumps(result)


@tool
def get_billing_summary_tool(msisdn: str) -> str:
    """Get billing summary including monthly fee and last bill amount (JSON)."""
    result = telco_logic.get_billing_summary(msisdn)
    return json.dumps(result)


@tool
def set_data_alerts_tool(msisdn: str, threshold_percent: int | None = None, threshold_gb: float | None = None) -> str:
    """Set data usage alerts by percent and/or GB. Returns updated alert settings (JSON)."""
    return json.dumps(telco_logic.set_data_alerts(msisdn, threshold_percent, threshold_gb))


# --- Helper tool for secondary thread ---

@tool
def check_status() -> dict:
    """Check the current status and progress of any long-running task."""
    config = ensure_config()
    namespace = config["configurable"]["namespace_for_memory"]
    
    if not isinstance(namespace, tuple):
        try:
            namespace = tuple(namespace)
        except (TypeError, ValueError):
            namespace = (str(namespace),)
    
    server_store = get_store()
    memory_update = server_store.get(namespace, "working-tool-status-update")
    
    if memory_update:
        item_value = memory_update.value
        status = item_value.get("status", "unknown")
        progress = item_value.get("progress", None)
        tool_name = item_value.get("tool_name", "unknown")
        return {
            "status": status,
            "progress": progress,
            "tool_name": tool_name
        }
    else:
        return {
            "status": "idle",
            "progress": None,
            "tool_name": None
        }