Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add --debug option to run scenarios for faster development #612

Merged
merged 2 commits into from
Sep 27, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
83 changes: 49 additions & 34 deletions src/warnet/control.py
Original file line number Diff line number Diff line change
Expand Up @@ -17,10 +17,13 @@

from .constants import COMMANDER_CHART, LOGGING_NAMESPACE
from .k8s import (
delete_pod,
get_default_namespace,
get_mission,
get_pods,
pod_log,
snapshot_bitcoin_datadir,
wait_for_pod,
)
from .process import run_command, stream_command

Expand Down Expand Up @@ -160,8 +163,14 @@ def get_active_network(namespace):

@click.command(context_settings={"ignore_unknown_options": True})
@click.argument("scenario_file", type=click.Path(exists=True, file_okay=True, dir_okay=False))
@click.option(
"--debug",
is_flag=True,
default=False,
help="Stream scenario output and delete container when stopped",
)
@click.argument("additional_args", nargs=-1, type=click.UNPROCESSED)
def run(scenario_file: str, additional_args: tuple[str]):
def run(scenario_file: str, debug: bool, additional_args: tuple[str]):
"""
Run a scenario from a file.
Pass `-- --help` to get individual scenario help
Expand Down Expand Up @@ -229,52 +238,58 @@ def run(scenario_file: str, additional_args: tuple[str]):
print(f"Failed to start scenario: {scenario_name}")
print(f"Error: {e.stderr}")

if debug:
print("Waiting for commander pod to start...")
wait_for_pod(name)
_logs(pod_name=name, follow=True)
print("Deleting pod...")
delete_pod(name)


@click.command()
@click.argument("pod_name", type=str, default="")
@click.option("--follow", "-f", is_flag=True, default=False, help="Follow logs")
def logs(pod_name: str, follow: bool):
return _logs(pod_name, follow)


def _logs(pod_name: str, follow: bool):
"""Show the logs of a pod"""
follow_flag = "--follow" if follow else ""
namespace = get_default_namespace()

if pod_name:
if pod_name == "":
try:
command = f"kubectl logs pod/{pod_name} -n {namespace} {follow_flag}"
stream_command(command)
return
pods = get_pods()
pod_list = [item.metadata.name for item in pods.items]
except Exception as e:
print(f"Could not find the pod {pod_name}: {e}")
print(f"Could not fetch any pods in namespace {namespace}: {e}")
return

try:
pods = run_command(f"kubectl get pods -n {namespace} -o json")
pods = json.loads(pods)
pod_list = [item["metadata"]["name"] for item in pods["items"]]
except Exception as e:
print(f"Could not fetch any pods in namespace {namespace}: {e}")
return
if not pod_list:
print(f"Could not fetch any pods in namespace {namespace}")
return

if not pod_list:
print(f"Could not fetch any pods in namespace {namespace}")
return
q = [
inquirer.List(
name="pod",
message="Please choose a pod",
choices=pod_list,
)
]
selected = inquirer.prompt(q, theme=GreenPassion())
if selected:
pod_name = selected["pod"]
else:
return # cancelled by user

q = [
inquirer.List(
name="pod",
message="Please choose a pod",
choices=pod_list,
)
]
selected = inquirer.prompt(q, theme=GreenPassion())
if selected:
pod_name = selected["pod"]
try:
command = f"kubectl logs pod/{pod_name} -n {namespace} {follow_flag}"
stream_command(command)
except Exception as e:
print(f"Please consider waiting for the pod to become available. Encountered: {e}")
else:
pass # cancelled by user
try:
stream = pod_log(pod_name, container_name=None, follow=follow)
for line in stream.stream():
print(line.decode("utf-8"), end=None)
except Exception as e:
print(e)
except KeyboardInterrupt:
print("Interrupted streaming log!")


@click.command()
Expand Down
26 changes: 26 additions & 0 deletions src/warnet/k8s.py
Original file line number Diff line number Diff line change
Expand Up @@ -3,10 +3,12 @@
import sys
import tempfile
from pathlib import Path
from time import sleep

import yaml
from kubernetes import client, config, watch
from kubernetes.client.models import CoreV1Event, V1PodList
from kubernetes.client.rest import ApiException
from kubernetes.dynamic import DynamicClient
from kubernetes.stream import stream

Expand Down Expand Up @@ -282,3 +284,27 @@ def get_ingress_ip_or_host():
except Exception as e:
print(f"Error getting ingress IP: {e}")
return None


def pod_log(pod_name, container_name=None, follow=False):
sclient = get_static_client()
try:
return sclient.read_namespaced_pod_log(
name=pod_name,
namespace=get_default_namespace(),
container=container_name,
follow=follow,
_preload_content=False,
)
except ApiException as e:
raise Exception(json.loads(e.body.decode("utf-8"))["message"]) from None


def wait_for_pod(pod_name, timeout_seconds=10):
sclient = get_static_client()
while timeout_seconds > 0:
pod = sclient.read_namespaced_pod_status(name=pod_name, namespace=get_default_namespace())
if pod.status.phase != "Pending":
return
sleep(1)
timeout_seconds -= 1