File size: 16,046 Bytes
05a686e
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
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
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
"""Simulation service layer for the coenv OpenEnv adapter.

This module contains task config loading, condition injection, action execution,
and reward/completion logic so server app wiring stays thin.
"""

from __future__ import annotations

from typing import Dict, Any, Optional
import json
import os
from openenv.core.env_server.interfaces import Environment
try:
    from .coenv_environment import World
except ImportError:
    from coenv_environment import World

try:
    from ..models import CoenvAction, CoenvObservation, CoenvState
except ImportError:
    from models import CoenvAction, CoenvObservation, CoenvState


def load_config() -> Dict[str, Any]:
    """Load configuration from config.json with sensible defaults."""
    config_path = os.path.join(os.path.dirname(__file__), "..", "config.json")
    try:
        with open(config_path, "r", encoding="utf-8") as f:
            return json.load(f)
    except FileNotFoundError:
        return {
            "num_nodes": 3,
            "node_cpu_capacity": 4,
            "node_mem_capacity": 8192,
            "pod_cpu_request": 250,
            "pod_mem_request": 128,
            "pod_cpu_limit": 500,
            "pod_mem_limit": 256,
            "crash_loop_failure_rate": 0.7,
            "oom_kill_failure_rate": 0.6,
            "node_failure_rate": 0.3,
            "cascade_failure_probability": 0.5,
            "task_timeout_values": 300,
            "tasks": {
                "pod_recovery": {"max_steps": 15, "success_threshold": 0.9},
                "autoscaling": {"max_steps": 20, "success_threshold": 0.85},
                "incident": {"max_steps": 30, "success_threshold": 0.80},
            },
        }


def get_objective_for_task(task_id: str) -> str:
    """Get the objective string for a task."""
    objectives = {
        "pod_recovery": "The frontend deployment is crash-looping. Diagnose and fix the root cause so that all pods reach Running state.",
        "autoscaling": "Traffic has spiked 10x. The api-server deployment is overloaded. Configure autoscaling and ensure p95 latency stays below 500ms.",
        "incident": "A cascading incident has degraded auth-service, api-gateway, and data-processor. Identify the root cause and restore all three services to healthy state without data loss.",
    }
    return objectives.get(task_id, "Maintain cluster health")


def get_condition_for_task(task_id: str, world: World, config: Dict[str, Any]):
    """Get condition injector for a task id."""
    if task_id == "pod_recovery":
        try:
            from .conditions.crash_loop import CrashLoopCondition
        except ImportError:
            from conditions.crash_loop import CrashLoopCondition
        return CrashLoopCondition(world, config)

    if task_id == "autoscaling":
        try:
            from .conditions.oom_kill import OOMKillCondition
        except ImportError:
            from conditions.oom_kill import OOMKillCondition
        return OOMKillCondition(world, config)

    if task_id == "incident":
        try:
            from .conditions.cascade_failure import CascadeFailureCondition
        except ImportError:
            from conditions.cascade_failure import CascadeFailureCondition
        return CascadeFailureCondition(world, config)

    return None


def calculate_reward(world: World, task_id: str) -> float:
    """Calculate reward based on current state."""
    if task_id == "pod_recovery":
        pods = world.get_pods()
        frontend_pods = [p for p in pods if p.deployment == "frontend"]
        running = [p for p in frontend_pods if p.status == "Running"]
        if frontend_pods:
            return len(running) / len(frontend_pods)

    elif task_id == "autoscaling":
        pods = world.get_pods()
        backend_pods = [p for p in pods if p.deployment == "backend"]
        running = [p for p in backend_pods if p.status == "Running"]
        if backend_pods:
            running_ratio = min(len(running) / len(backend_pods), 1.0)
            unstable = [
                p for p in backend_pods
                if p.status != "Running" or getattr(p, "restarts", 0) >= 5
            ]
            stability_ratio = 1.0 - (len(unstable) / len(backend_pods))

            hpas = world.get_hpas() if hasattr(world, "get_hpas") else []
            backend_hpa = next((h for h in hpas if h.name == "backend-hpa"), None)
            hpa_ok = (
                backend_hpa is not None
                and backend_hpa.min_replicas >= 2
                and backend_hpa.max_replicas >= 6
                and backend_hpa.cpu_target_percent <= 70
            )

            reward = (0.5 * running_ratio) + (0.3 * stability_ratio) + (0.2 * (1.0 if hpa_ok else 0.0))
            return min(max(reward, 0.0), 1.0)

    elif task_id == "incident":
        pods = world.get_pods()
        key_services = ["auth-service", "api-gateway", "frontend"]
        healthy_count = 0
        for svc in key_services:
            svc_pods = [p for p in pods if p.deployment == svc]
            running = [p for p in svc_pods if p.status == "Running"]
            if svc_pods and len(running) >= len(svc_pods) * 0.8:
                healthy_count += 1
        return healthy_count / len(key_services) if key_services else 0.0

    return 0.0


def _collect_task_metrics(world: World) -> Dict[str, Any]:
    """Collect state metrics used by completion logic."""
    pods = world.get_pods()
    deployments = world.get_deployments() if hasattr(world, "get_deployments") else []
    hpas = world.get_hpas() if hasattr(world, "get_hpas") else []

    def _deployment_running_ratio(name: str) -> float:
        dep_pods = [p for p in pods if p.deployment == name]
        if not dep_pods:
            return 0.0
        running = [p for p in dep_pods if p.status == "Running"]
        return len(running) / len(dep_pods)

    def _deployment_unstable_count(name: str, restart_threshold: int = 5) -> int:
        dep_pods = [p for p in pods if p.deployment == name]
        unstable = [
            p for p in dep_pods
            if p.status != "Running"
            or p.status == "CrashLoopBackOff"
            or getattr(p, "restarts", 0) >= restart_threshold
        ]
        return len(unstable)

    key_services = ["auth-service", "api-gateway", "frontend"]
    incident_unhealthy_services = 0
    for svc in key_services:
        if _deployment_running_ratio(svc) < 0.8:
            incident_unhealthy_services += 1

    backend_hpa = next((h for h in hpas if h.name == "backend-hpa"), None)
    backend_hpa_ok = (
        backend_hpa is not None
        and backend_hpa.min_replicas >= 2
        and backend_hpa.max_replicas >= 6
        and backend_hpa.cpu_target_percent <= 70
    )

    backend_dep = next((d for d in deployments if d.name == "backend"), None)
    backend_available_ratio = 0.0
    if backend_dep is not None and backend_dep.desired_replicas > 0:
        backend_available_ratio = backend_dep.available_replicas / backend_dep.desired_replicas

    return {
        "frontend_unstable": _deployment_unstable_count("frontend"),
        "frontend_running_ratio": _deployment_running_ratio("frontend"),
        "backend_unstable": _deployment_unstable_count("backend"),
        "backend_running_ratio": _deployment_running_ratio("backend"),
        "backend_hpa_ok": backend_hpa_ok,
        "backend_available_ratio": backend_available_ratio,
        "incident_unhealthy_services": incident_unhealthy_services,
        "incident_key_unstable": sum(_deployment_unstable_count(svc) for svc in key_services),
    }


def check_task_complete(world: World, task_id: str, baseline_metrics: Optional[Dict[str, Any]] = None) -> bool:
    """Check if task objective is complete via observable state recovery."""
    metrics = _collect_task_metrics(world)
    baseline = baseline_metrics or {}
    has_baseline = bool(baseline)

    if task_id == "pod_recovery":
        if not has_baseline:
            return metrics["frontend_unstable"] == 0 and metrics["frontend_running_ratio"] >= 1.0
        had_problem = baseline.get("frontend_unstable", 0) > 0
        recovered = metrics["frontend_unstable"] == 0 and metrics["frontend_running_ratio"] >= 1.0
        improved = metrics["frontend_unstable"] < baseline.get("frontend_unstable", 0)
        return had_problem and recovered and improved

    if task_id == "autoscaling":
        if not has_baseline:
            return (
                metrics["backend_unstable"] == 0
                and metrics["backend_running_ratio"] >= 1.0
                and metrics["backend_available_ratio"] >= 1.0
                and metrics["backend_hpa_ok"]
            )
        had_problem = baseline.get("backend_unstable", 0) > 0
        recovered = (
            metrics["backend_unstable"] == 0
            and metrics["backend_running_ratio"] >= 1.0
            and metrics["backend_available_ratio"] >= 1.0
        )
        improved = metrics["backend_unstable"] < baseline.get("backend_unstable", 0)
        # For autoscaling, both state recovery and effective HPA policy must be visible.
        return had_problem and recovered and improved and metrics["backend_hpa_ok"]

    if task_id == "incident":
        if not has_baseline:
            return (
                metrics["incident_unhealthy_services"] == 0
                and metrics["incident_key_unstable"] == 0
            )
        had_problem = (
            baseline.get("incident_unhealthy_services", 0) > 0
            or baseline.get("incident_key_unstable", 0) > 0
        )
        recovered = (
            metrics["incident_unhealthy_services"] == 0
            and metrics["incident_key_unstable"] == 0
        )
        improved = (
            metrics["incident_unhealthy_services"] < baseline.get("incident_unhealthy_services", 0)
            or metrics["incident_key_unstable"] < baseline.get("incident_key_unstable", 0)
        )
        return had_problem and recovered and improved

    return False


class CoenvEnvironment(Environment):
    """OpenEnv environment adapter over the in-memory Kubernetes simulator."""

    def __init__(self):
        self.config: Dict[str, Any] = load_config()
        self.episode_id = f"episode-{os.getpid()}-{int(os.times()[4] * 1000)}"
        self.world = World(self.config, seed=self.config.get("seed"))
        self.current_task = "pod_recovery"
        self.current_objective = get_objective_for_task(self.current_task)
        self._baseline_metrics: Dict[str, Any] = {}

    def reset(self, task: str = "pod_recovery", **_: Any) -> CoenvObservation:
        """Reset simulator state for the selected task and return initial observation."""
        self.current_task = task
        self.current_objective = get_objective_for_task(task)
        condition = get_condition_for_task(task, self.world, self.config)

        # Inject deterministic, task-specific failures so episodes don't start
        # in an already-solved state.
        self.world.reset_to_healthy()
        if condition is not None:
            if task == "pod_recovery":
                condition.inject(target_deployment="frontend", failure_rate=0.8)
            elif task == "autoscaling":
                condition.inject(target_deployment="backend", failure_rate=0.8)
            elif task == "incident":
                condition.inject(root_cause_service="auth-service", failure_probability=0.8)
                try:
                    from .conditions.crash_loop import CrashLoopCondition
                except ImportError:
                    from conditions.crash_loop import CrashLoopCondition
                # Ensure cascading impact reaches key downstream services.
                CrashLoopCondition(self.world, self.config).inject(target_deployment="api-gateway", failure_rate=0.7)
                CrashLoopCondition(self.world, self.config).inject(target_deployment="frontend", failure_rate=0.5)
            self._baseline_metrics = _collect_task_metrics(self.world)
        return self._observation(done=False, reward=0.0, info={"task": task})

    def step(self, action: CoenvAction, **_: Any) -> CoenvObservation:
        """Apply one action, tick the world, and return updated observation with reward."""
        info: Dict[str, Any] = {}

        try:
            if action.action_type == "scale":
                deployment = action.deployment or ""
                replicas = action.replicas if action.replicas is not None else 1
                self.world.scale(deployment, replicas)
                info["scaled"] = deployment
                info["replicas"] = replicas

            elif action.action_type == "delete_pod":
                pod_name = action.pod_name or ""
                self.world.delete_pod(pod_name)
                info["deleted"] = pod_name

            elif action.action_type == "patch":
                resource_type = action.resource_type or ""
                name = action.name or ""
                patch = action.patch or {}
                self.world.apply_patch(resource_type, name, patch)
                info["patched"] = f"{resource_type}/{name}"

            elif action.action_type == "rollout_restart":
                deployment = action.deployment or ""
                self.world.rollout_restart(deployment)
                info["restarted"] = deployment

            elif action.action_type == "drain_node":
                node_name = action.node_name or ""
                self.world.drain_node(node_name)
                info["drained"] = node_name

            elif action.action_type == "set_hpa":
                deployment = action.deployment or ""
                min_replicas = action.min_replicas if action.min_replicas is not None else 1
                max_replicas = action.max_replicas if action.max_replicas is not None else 10
                cpu_target = action.cpu_target_percent if action.cpu_target_percent is not None else 80
                self.world.set_hpa(deployment, min_replicas, max_replicas, cpu_target)
                info["hpa_set"] = deployment

            elif action.action_type == "describe":
                resource_type = action.resource_type or ""
                name = action.name or ""
                info["described"] = f"{resource_type}/{name}"
                info["describe_detail"] = self.world.describe(resource_type, name)

            elif action.action_type == "wait":
                info["waited"] = True

            else:
                info["error"] = f"Unknown action type: {action.action_type}"

        except Exception as e:
            info["error"] = str(e)

        self.world.tick()

        reward = calculate_reward(self.world, self.current_task)

        done = check_task_complete(self.world, self.current_task, self._baseline_metrics)
        max_steps = self.config.get("tasks", {}).get(self.current_task, {}).get("max_steps", 15)
        if self.world.step_count >= max_steps and not done:
            info["truncated"] = True

        return self._observation(done=done, reward=reward, info=info)
    
    @property
    def state(self) -> CoenvState:
        """Return current observation without applying an action."""
        reward = calculate_reward(self.world, self.current_task)
        done = check_task_complete(self.world, self.current_task, self._baseline_metrics)
        return CoenvState(
            episode_id=self.episode_id,
            step_count=self.world.step_count
        )

    def _observation(self, done: bool, reward: float, info: Dict[str, Any]) -> CoenvObservation:
        obs = self.world.get_observation(self.current_objective)
        return CoenvObservation(
            nodes=obs.nodes,
            pods=obs.pods,
            deployments=obs.deployments,
            services=obs.services,
            configmaps=obs.configmaps,
            hpas=obs.hpas,
            events=obs.events,
            step=obs.step,
            objective=obs.objective,
            done=done,
            reward=reward,
            metadata=info,
        )
    def close(self) -> None:
        return