cs-codex-dist-tests/Logging/BaseLog.cs

90 lines
2.3 KiB
C#
Raw Normal View History

using Utils;
2023-04-25 09:31:15 +00:00
namespace Logging
2023-04-14 12:53:39 +00:00
{
public abstract class BaseLog
{
private readonly bool debug;
private readonly List<BaseLogStringReplacement> replacements = new List<BaseLogStringReplacement>();
2023-04-14 12:53:39 +00:00
private bool hasFailed;
private LogFile? logFile;
2023-04-25 09:31:15 +00:00
protected BaseLog(bool debug)
{
this.debug = debug;
}
2023-04-14 12:53:39 +00:00
protected abstract LogFile CreateLogFile();
protected LogFile LogFile
{
get
{
if (logFile == null) logFile = CreateLogFile();
return logFile;
}
}
public void Log(string message)
{
LogFile.Write(ApplyReplacements(message));
2023-04-14 12:53:39 +00:00
}
2023-04-25 09:31:15 +00:00
public void Debug(string message = "", int skipFrames = 0)
{
if (debug)
{
var callerName = DebugStack.GetCallerName(skipFrames);
// We don't use Log because in the debug output we should not have any replacements.
LogFile.Write($"(debug)({callerName}) {message}");
2023-04-25 09:31:15 +00:00
}
}
2023-04-14 12:53:39 +00:00
public void Error(string message)
{
Log($"[ERROR] {message}");
}
public void MarkAsFailed()
{
if (hasFailed) return;
hasFailed = true;
LogFile.ConcatToFilename("_FAILED");
}
public void AddStringReplace(string from, string to)
{
if (string.IsNullOrWhiteSpace(from)) return;
replacements.Add(new BaseLogStringReplacement(from, to));
}
private string ApplyReplacements(string str)
{
foreach (var replacement in replacements)
{
str = replacement.Apply(str);
}
return str;
}
}
public class BaseLogStringReplacement
{
private readonly string from;
private readonly string to;
public BaseLogStringReplacement(string from, string to)
{
this.from = from;
this.to = to;
if (string.IsNullOrEmpty(from) || string.IsNullOrEmpty(to) || from == to) throw new ArgumentException();
}
public string Apply(string msg)
{
return msg.Replace(from, to);
}
2023-04-14 12:53:39 +00:00
}
}