cs-codex-dist-tests/Framework/KubernetesWorkflow/CrashWatcher.cs

99 lines
3.1 KiB
C#
Raw Normal View History

2023-08-15 09:01:18 +00:00
using k8s;
using Logging;
namespace KubernetesWorkflow
{
public class CrashWatcher
{
2023-09-12 08:31:55 +00:00
private readonly ILog log;
2023-08-15 09:01:18 +00:00
private readonly KubernetesClientConfiguration config;
private readonly string containerName;
private readonly string podName;
private readonly string recipeName;
2023-08-15 09:01:18 +00:00
private readonly string k8sNamespace;
private CancellationTokenSource cts;
private Task? worker;
private Exception? workerException;
public CrashWatcher(ILog log, KubernetesClientConfiguration config, string containerName, string podName, string recipeName, string k8sNamespace)
2023-08-15 09:01:18 +00:00
{
this.log = log;
this.config = config;
this.containerName = containerName;
this.podName = podName;
this.recipeName = recipeName;
2023-08-15 09:01:18 +00:00
this.k8sNamespace = k8sNamespace;
cts = new CancellationTokenSource();
}
public void Start()
2023-08-15 09:01:18 +00:00
{
if (worker != null) throw new InvalidOperationException();
cts = new CancellationTokenSource();
worker = Task.Run(Worker);
}
public void Stop()
{
if (worker == null) throw new InvalidOperationException();
cts.Cancel();
worker.Wait();
worker = null;
if (workerException != null) throw new Exception("Exception occurred in CrashWatcher worker thread.", workerException);
}
public bool HasContainerCrashed()
{
using var client = new Kubernetes(config);
2024-06-14 07:05:56 +00:00
var result = HasContainerBeenRestarted(client);
if (result) DownloadCrashedContainerLogs(client);
return result;
}
2023-08-15 09:01:18 +00:00
private void Worker()
{
try
{
MonitorContainer(cts.Token);
}
catch (Exception ex)
{
workerException = ex;
}
}
private void MonitorContainer(CancellationToken token)
{
using var client = new Kubernetes(config);
2023-08-15 09:01:18 +00:00
while (!token.IsCancellationRequested)
{
token.WaitHandle.WaitOne(TimeSpan.FromSeconds(10));
2023-08-15 09:01:18 +00:00
if (HasContainerBeenRestarted(client))
2023-08-15 09:01:18 +00:00
{
DownloadCrashedContainerLogs(client);
2023-08-15 09:01:18 +00:00
return;
}
}
}
private bool HasContainerBeenRestarted(Kubernetes client)
{
var podInfo = client.ReadNamespacedPod(podName, k8sNamespace);
2024-06-08 08:36:23 +00:00
var result = podInfo.Status.ContainerStatuses.Any(c => c.RestartCount > 0);
if (result) log.Log("Pod crash detected for " + containerName);
return result;
}
private void DownloadCrashedContainerLogs(Kubernetes client)
2023-08-15 09:01:18 +00:00
{
using var stream = client.ReadNamespacedPodLog(podName, k8sNamespace, recipeName, previous: true);
var handler = new WriteToFileLogHandler(log, "Crash detected for " + containerName);
handler.Log(stream);
2023-08-15 09:01:18 +00:00
}
}
}