mirror of
https://github.com/MindWorkAI/AI-Studio.git
synced 2026-02-14 11:01:36 +00:00
Some checks failed
Build and Release / Read metadata (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-aarch64-apple-darwin, osx-arm64, macos-latest, aarch64-apple-darwin, dmg updater) (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-aarch64-pc-windows-msvc.exe, win-arm64, windows-latest, aarch64-pc-windows-msvc, nsis updater) (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-aarch64-unknown-linux-gnu, linux-arm64, ubuntu-22.04-arm, aarch64-unknown-linux-gnu, appimage deb updater) (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-x86_64-apple-darwin, osx-x64, macos-latest, x86_64-apple-darwin, dmg updater) (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-x86_64-pc-windows-msvc.exe, win-x64, windows-latest, x86_64-pc-windows-msvc, nsis updater) (push) Has been cancelled
Build and Release / Build app (${{ matrix.dotnet_runtime }}) (-x86_64-unknown-linux-gnu, linux-x64, ubuntu-22.04, x86_64-unknown-linux-gnu, appimage deb updater) (push) Has been cancelled
Build and Release / Prepare & create release (push) Has been cancelled
Build and Release / Publish release (push) Has been cancelled
319 lines
9.7 KiB
Rust
319 lines
9.7 KiB
Rust
use std::collections::BTreeMap;
|
|
use std::env::{current_dir, temp_dir};
|
|
use std::error::Error;
|
|
use std::fmt::Debug;
|
|
use std::path::{absolute, PathBuf};
|
|
use std::sync::OnceLock;
|
|
use flexi_logger::{DeferredNow, Duplicate, FileSpec, Logger, LoggerHandle};
|
|
use flexi_logger::writers::FileLogWriter;
|
|
use log::{kv, Level};
|
|
use log::kv::{Key, Value, VisitSource};
|
|
use rocket::{get, post};
|
|
use rocket::serde::json::Json;
|
|
use rocket::serde::{Deserialize, Serialize};
|
|
use crate::api_token::APIToken;
|
|
use crate::environment::is_dev;
|
|
|
|
static LOGGER: OnceLock<RuntimeLoggerHandle> = OnceLock::new();
|
|
|
|
static LOG_STARTUP_PATH: OnceLock<String> = OnceLock::new();
|
|
|
|
static LOG_APP_PATH: OnceLock<String> = OnceLock::new();
|
|
|
|
/// Initialize the logging system.
|
|
pub fn init_logging() {
|
|
|
|
//
|
|
// Configure the LOGGER:
|
|
//
|
|
let mut log_config = String::new();
|
|
|
|
// Set the log level depending on the environment:
|
|
match is_dev() {
|
|
true => log_config.push_str("debug, "),
|
|
false => log_config.push_str("info, "),
|
|
};
|
|
|
|
// Set the log level for the Rocket library:
|
|
log_config.push_str("rocket=info, ");
|
|
|
|
// Set the log level for the Rocket server:
|
|
log_config.push_str("rocket::server=warn, ");
|
|
|
|
// Set the log level for the Reqwest library:
|
|
log_config.push_str("reqwest::async_impl::client=info");
|
|
|
|
// Configure the initial filename. On Unix systems, the file should start
|
|
// with a dot to be hidden.
|
|
let log_basename = match cfg!(unix)
|
|
{
|
|
true => ".AI Studio Events",
|
|
false => "AI Studio Events",
|
|
};
|
|
|
|
let log_path = FileSpec::default()
|
|
.directory(get_startup_log_path())
|
|
.basename(log_basename)
|
|
.suppress_timestamp()
|
|
.suffix("log");
|
|
|
|
// Store the startup log path:
|
|
let _ = LOG_STARTUP_PATH.set(convert_log_path_to_string(&log_path));
|
|
|
|
let runtime_logger = Logger::try_with_str(log_config).expect("Cannot create logging")
|
|
.log_to_file(log_path)
|
|
.duplicate_to_stdout(Duplicate::All)
|
|
.use_utc()
|
|
.format_for_files(file_logger_format)
|
|
.set_palette("196;208;34;7;8".to_string()) // error, warn, info, debug, trace
|
|
.format_for_stderr(terminal_colored_logger_format)
|
|
.format_for_stdout(terminal_colored_logger_format)
|
|
.start().expect("Cannot start logging");
|
|
|
|
let runtime_logger = RuntimeLoggerHandle{
|
|
handle: runtime_logger
|
|
};
|
|
|
|
LOGGER.set(runtime_logger).expect("Cannot set LOGGER");
|
|
}
|
|
|
|
fn convert_log_path_to_string(log_path: &FileSpec) -> String {
|
|
let log_path = log_path.as_pathbuf(None);
|
|
|
|
// Case: The path is already absolute:
|
|
if log_path.is_absolute() {
|
|
return log_path.to_str().unwrap().to_string();
|
|
}
|
|
|
|
// Case: The path is relative. Let's try to convert it to an absolute path:
|
|
match log_path.canonicalize() {
|
|
// Case: The path exists:
|
|
Ok(log_path) => log_path.to_str().unwrap().to_string(),
|
|
|
|
// Case: The path does not exist. Let's try to build the
|
|
// absolute path without touching the file system:
|
|
Err(_) => match absolute(log_path.clone()) {
|
|
|
|
// Case: We could build the absolute path:
|
|
Ok(log_path) => log_path.to_str().unwrap().to_string(),
|
|
|
|
// Case: We could not reconstruct the path using the working directory.
|
|
Err(_) => log_path.to_str().unwrap().to_string(),
|
|
}
|
|
}
|
|
}
|
|
|
|
// Note: Rust plans to remove the deprecation flag for std::env::home_dir() in Rust 1.86.0.
|
|
#[allow(deprecated)]
|
|
fn get_startup_log_path() -> String {
|
|
match std::env::home_dir() {
|
|
// Case: We could determine the home directory:
|
|
Some(home_dir) => home_dir.to_str().unwrap().to_string(),
|
|
|
|
// Case: We could not determine the home directory. Let's try to use the working directory:
|
|
None => match current_dir() {
|
|
|
|
// Case: We could determine the working directory:
|
|
Ok(working_directory) => working_directory.to_str().unwrap().to_string(),
|
|
|
|
// Case: We could not determine the working directory. Let's use the temporary directory:
|
|
Err(_) => temp_dir().to_str().unwrap().to_string(),
|
|
},
|
|
}
|
|
}
|
|
|
|
/// Switch the logging system to a file-based output inside the given directory.
|
|
pub fn switch_to_file_logging(logger_path: PathBuf) -> Result<(), Box<dyn Error>>{
|
|
let log_path = FileSpec::default()
|
|
.directory(logger_path)
|
|
.basename("events")
|
|
.suppress_timestamp()
|
|
.suffix("log");
|
|
let _ = LOG_APP_PATH.set(convert_log_path_to_string(&log_path));
|
|
LOGGER.get().expect("No LOGGER was set").handle.reset_flw(&FileLogWriter::builder(log_path))?;
|
|
|
|
Ok(())
|
|
}
|
|
|
|
struct RuntimeLoggerHandle {
|
|
handle: LoggerHandle
|
|
}
|
|
|
|
impl Debug for RuntimeLoggerHandle {
|
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
|
write!(f, "LoggerHandle")
|
|
}
|
|
}
|
|
|
|
//
|
|
// Data structure for iterating over key-value pairs of log messages.
|
|
//
|
|
struct LogKVCollect<'kvs>(BTreeMap<Key<'kvs>, Value<'kvs>>);
|
|
|
|
impl<'kvs> VisitSource<'kvs> for LogKVCollect<'kvs> {
|
|
fn visit_pair(&mut self, key: Key<'kvs>, value: Value<'kvs>) -> Result<(), kv::Error> {
|
|
self.0.insert(key, value);
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
fn write_kv_pairs(w: &mut dyn std::io::Write, record: &log::Record) -> Result<(), std::io::Error> {
|
|
if record.key_values().count() > 0 {
|
|
let mut visitor = LogKVCollect(BTreeMap::new());
|
|
record.key_values().visit(&mut visitor).unwrap();
|
|
write!(w, "[")?;
|
|
let mut index = 0;
|
|
for (key, value) in visitor.0 {
|
|
index += 1;
|
|
if index > 1 {
|
|
write!(w, ", ")?;
|
|
}
|
|
|
|
write!(w, "{} = {}", key, value)?;
|
|
}
|
|
write!(w, "] ")?;
|
|
}
|
|
|
|
Ok(())
|
|
}
|
|
|
|
// Custom LOGGER format for the terminal:
|
|
fn terminal_colored_logger_format(
|
|
w: &mut dyn std::io::Write,
|
|
now: &mut DeferredNow,
|
|
record: &log::Record,
|
|
) -> Result<(), std::io::Error> {
|
|
let level = record.level();
|
|
|
|
// Write the timestamp, log level, and module path:
|
|
write!(
|
|
w,
|
|
"[{}] {} [{}] ",
|
|
flexi_logger::style(level).paint(now.format(flexi_logger::TS_DASHES_BLANK_COLONS_DOT_BLANK).to_string()),
|
|
flexi_logger::style(level).paint(record.level().to_string()),
|
|
record.module_path().unwrap_or("<unnamed>"),
|
|
)?;
|
|
|
|
// Write all key-value pairs:
|
|
write_kv_pairs(w, record)?;
|
|
|
|
// Write the log message:
|
|
write!(w, "{}", flexi_logger::style(level).paint(record.args().to_string()))
|
|
}
|
|
|
|
/// Custom LOGGER format for the log files:
|
|
fn file_logger_format(
|
|
w: &mut dyn std::io::Write,
|
|
now: &mut DeferredNow,
|
|
record: &log::Record,
|
|
) -> Result<(), std::io::Error> {
|
|
|
|
// Write the timestamp, log level, and module path:
|
|
write!(
|
|
w,
|
|
"[{}] {} [{}] ",
|
|
now.format(flexi_logger::TS_DASHES_BLANK_COLONS_DOT_BLANK),
|
|
record.level(),
|
|
record.module_path().unwrap_or("<unnamed>"),
|
|
)?;
|
|
|
|
// Write all key-value pairs:
|
|
write_kv_pairs(w, record)?;
|
|
|
|
// Write the log message:
|
|
write!(w, "{}", &record.args())
|
|
}
|
|
|
|
#[get("/log/paths")]
|
|
pub async fn get_log_paths(_token: APIToken) -> Json<LogPathsResponse> {
|
|
Json(LogPathsResponse {
|
|
log_startup_path: LOG_STARTUP_PATH.get().expect("No startup log path was set").clone(),
|
|
log_app_path: LOG_APP_PATH.get().expect("No app log path was set").clone(),
|
|
})
|
|
}
|
|
|
|
/// Converts a .NET log level string to a Rust log::Level.
|
|
fn parse_dotnet_log_level(level: &str) -> Level {
|
|
match level {
|
|
"Trace" | "Debug" => Level::Debug,
|
|
"Information" => Level::Info,
|
|
"Warning" => Level::Warn,
|
|
"Error" | "Critical" => Level::Error,
|
|
|
|
_ => Level::Error, // Fallback for unknown levels
|
|
}
|
|
}
|
|
|
|
/// Logs a message with the specified level, including optional exception and stack trace.
|
|
fn log_with_level(
|
|
level: Level,
|
|
category: &str,
|
|
message: &str,
|
|
exception: Option<&String>,
|
|
stack_trace: Option<&String>
|
|
) {
|
|
// Log the main message:
|
|
log::log!(level, Source = ".NET Server", Comp = category; "{message}");
|
|
|
|
// Log exception if present:
|
|
if let Some(ex) = exception {
|
|
log::log!(level, Source = ".NET Server", Comp = category; " Exception: {ex}");
|
|
}
|
|
|
|
// Log stack trace if present:
|
|
if let Some(stack_trace) = stack_trace {
|
|
for line in stack_trace.lines() {
|
|
log::log!(level, Source = ".NET Server", Comp = category; " {line}");
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Logs an event from the .NET server.
|
|
#[post("/log/event", data = "<event>")]
|
|
pub fn log_event(_token: APIToken, event: Json<LogEvent>) -> Json<LogEventResponse> {
|
|
let event = event.into_inner();
|
|
let level = parse_dotnet_log_level(&event.level);
|
|
let message = event.message.as_str();
|
|
let category = event.category.as_str();
|
|
|
|
log_with_level(
|
|
level,
|
|
category,
|
|
message,
|
|
event.exception.as_ref(),
|
|
event.stack_trace.as_ref()
|
|
);
|
|
|
|
// Log warning for unknown levels:
|
|
if !matches!(event.level.as_str(), "Trace" | "Debug" | "Information" | "Warning" | "Error" | "Critical") {
|
|
log::warn!(Source = ".NET Server", Comp = category; "Unknown log level '{}' received.", event.level);
|
|
}
|
|
|
|
Json(LogEventResponse { success: true, issue: String::new() })
|
|
}
|
|
|
|
/// The response the get log paths request.
|
|
#[derive(Serialize)]
|
|
pub struct LogPathsResponse {
|
|
log_startup_path: String,
|
|
log_app_path: String,
|
|
}
|
|
|
|
/// A log event from the .NET server.
|
|
#[derive(Deserialize)]
|
|
#[allow(unused)]
|
|
pub struct LogEvent {
|
|
timestamp: String,
|
|
level: String,
|
|
category: String,
|
|
message: String,
|
|
exception: Option<String>,
|
|
stack_trace: Option<String>,
|
|
}
|
|
|
|
/// The response to a log event request.
|
|
#[derive(Serialize)]
|
|
pub struct LogEventResponse {
|
|
success: bool,
|
|
issue: String,
|
|
} |