Refactor to use slog for structured logging
All checks were successful
continuous-integration/drone/push Build is passing

This commit is contained in:
Valentin Brandl 2020-10-30 13:03:06 +01:00
parent 3c8227d0e9
commit b4bd9b8830
3 changed files with 56 additions and 62 deletions

View File

@ -1,10 +1,6 @@
use crate::{error::Result, statics::OPT}; use crate::error::Result;
use log::LevelFilter; use slog::{Drain, Logger};
use log4rs::{ use slog_atomic::AtomicSwitch;
append::{console::ConsoleAppender, file::FileAppender},
config::{Appender, Config, Root},
encode::pattern::PatternEncoder,
};
use std::path::PathBuf; use std::path::PathBuf;
use structopt::StructOpt; use structopt::StructOpt;
@ -38,33 +34,28 @@ pub(crate) struct Opt {
#[structopt(short = "w", long = "workers", default_value = "4")] #[structopt(short = "w", long = "workers", default_value = "4")]
/// Number of worker threads /// Number of worker threads
pub(crate) workers: usize, pub(crate) workers: usize,
#[structopt( // #[structopt(
short = "l", // short = "l",
long = "logfile", // long = "logfile",
parse(from_os_str), // parse(from_os_str),
default_value = "./hoc.log" // default_value = "./hoc.log"
)] // )]
/// The logfile // /// The logfile
pub(crate) logfile: PathBuf, // pub(crate) logfile: PathBuf,
} }
pub(crate) async fn init() -> Result<()> { pub(crate) fn init() -> Logger {
std::env::set_var("RUST_LOG", "actix_web=info,hoc=info"); std::env::set_var("RUST_LOG", "actix_web=info,hoc=info");
openssl_probe::init_ssl_cert_env_vars(); openssl_probe::init_ssl_cert_env_vars();
let stdout = ConsoleAppender::builder().build();
let file = FileAppender::builder() let decorator = slog_term::PlainDecorator::new(std::io::stdout());
.encoder(Box::new(PatternEncoder::new("{d} - {m}{n}"))) let drain = slog_term::FullFormat::new(decorator).build().fuse();
.build(&OPT.logfile) let drain = slog_async::Async::new(drain).build().fuse();
.unwrap(); let drain = AtomicSwitch::new(drain);
let config = Config::builder()
.appender(Appender::builder().build("stdout", Box::new(stdout))) let root = Logger::root(drain, o!("version" => env!("CARGO_PKG_VERSION")));
.appender(Appender::builder().build("file", Box::new(file)))
.build( info!(root, "Logging initialized");
Root::builder()
.appender("stdout") root
.appender("file")
.build(LevelFilter::Info),
)?;
log4rs::init_config(config)?;
Ok(())
} }

View File

@ -14,8 +14,6 @@ pub(crate) enum Error {
Git(git2::Error), Git(git2::Error),
Internal, Internal,
Io(std::io::Error), Io(std::io::Error),
Log(log::SetLoggerError),
LogBuilder(log4rs::config::Errors),
Parse(std::num::ParseIntError), Parse(std::num::ParseIntError),
Serial(serde_json::Error), Serial(serde_json::Error),
BranchNotFound, BranchNotFound,
@ -29,8 +27,6 @@ impl fmt::Display for Error {
Error::Git(e) => write!(fmt, "Git({})", e), Error::Git(e) => write!(fmt, "Git({})", e),
Error::Internal => write!(fmt, "Internal Error"), Error::Internal => write!(fmt, "Internal Error"),
Error::Io(e) => write!(fmt, "Io({})", e), Error::Io(e) => write!(fmt, "Io({})", e),
Error::Log(e) => write!(fmt, "Log({})", e),
Error::LogBuilder(e) => write!(fmt, "LogBuilder({})", e),
Error::Parse(e) => write!(fmt, "Parse({})", e), Error::Parse(e) => write!(fmt, "Parse({})", e),
Error::Serial(e) => write!(fmt, "Serial({})", e), Error::Serial(e) => write!(fmt, "Serial({})", e),
Error::BranchNotFound => write!(fmt, "Repo doesn't have master branch"), Error::BranchNotFound => write!(fmt, "Repo doesn't have master branch"),
@ -76,12 +72,6 @@ impl From<git2::Error> for Error {
} }
} }
impl From<log::SetLoggerError> for Error {
fn from(err: log::SetLoggerError) -> Self {
Error::Log(err)
}
}
impl From<std::io::Error> for Error { impl From<std::io::Error> for Error {
fn from(err: std::io::Error) -> Self { fn from(err: std::io::Error) -> Self {
Error::Io(err) Error::Io(err)
@ -100,12 +90,6 @@ impl From<reqwest::Error> for Error {
} }
} }
impl From<log4rs::config::Errors> for Error {
fn from(err: log4rs::config::Errors) -> Self {
Error::LogBuilder(err)
}
}
impl From<std::num::ParseIntError> for Error { impl From<std::num::ParseIntError> for Error {
fn from(err: std::num::ParseIntError) -> Self { fn from(err: std::num::ParseIntError) -> Self {
Error::Parse(err) Error::Parse(err)

View File

@ -4,10 +4,12 @@
extern crate actix_web; extern crate actix_web;
#[macro_use] #[macro_use]
extern crate lazy_static; extern crate lazy_static;
#[macro_use] // #[macro_use]
extern crate log; // extern crate log;
#[macro_use] #[macro_use]
extern crate serde_derive; extern crate serde_derive;
#[macro_use]
extern crate slog;
mod cache; mod cache;
mod config; mod config;
@ -35,6 +37,7 @@ use actix_web::{
use badge::{Badge, BadgeOptions}; use badge::{Badge, BadgeOptions};
use git2::{BranchType, Repository}; use git2::{BranchType, Repository};
use number_prefix::NumberPrefix; use number_prefix::NumberPrefix;
use slog::Logger;
use std::{ use std::{
borrow::Cow, borrow::Cow,
fs::create_dir_all, fs::create_dir_all,
@ -59,6 +62,7 @@ struct GeneratorForm<'a> {
pub(crate) struct State { pub(crate) struct State {
repos: String, repos: String,
cache: String, cache: String,
logger: Logger,
} }
#[derive(Serialize)] #[derive(Serialize)]
@ -81,7 +85,13 @@ fn pull(path: impl AsRef<Path>) -> Result<()> {
Ok(()) Ok(())
} }
fn hoc(repo: &str, repo_dir: &str, cache_dir: &str, branch: &str) -> Result<(u64, String, u64)> { fn hoc(
repo: &str,
repo_dir: &str,
cache_dir: &str,
branch: &str,
logger: &Logger,
) -> Result<(u64, String, u64)> {
let repo_dir = format!("{}/{}", repo_dir, repo); let repo_dir = format!("{}/{}", repo_dir, repo);
let cache_dir = format!("{}/{}.json", cache_dir, repo); let cache_dir = format!("{}/{}.json", cache_dir, repo);
let cache_dir = Path::new(&cache_dir); let cache_dir = Path::new(&cache_dir);
@ -108,16 +118,16 @@ fn hoc(repo: &str, repo_dir: &str, cache_dir: &str, branch: &str) -> Result<(u64
let cache = CacheState::read_from_file(&cache_dir, branch, &head)?; let cache = CacheState::read_from_file(&cache_dir, branch, &head)?;
match &cache { match &cache {
CacheState::Current { count, commits, .. } => { CacheState::Current { count, commits, .. } => {
info!("Using cache for {}", repo_dir); info!(logger, "Using cache");
return Ok((*count, head, *commits)); return Ok((*count, head, *commits));
} }
CacheState::Old { head, .. } => { CacheState::Old { head, .. } => {
info!("Updating cache for {}", repo_dir); info!(logger, "Updating cache");
arg.push(format!("{}..{}", head, branch)); arg.push(format!("{}..{}", head, branch));
arg_commit_count.push(format!("{}..{}", head, branch)); arg_commit_count.push(format!("{}..{}", head, branch));
} }
CacheState::No | CacheState::NoneForBranch(..) => { CacheState::No | CacheState::NoneForBranch(..) => {
info!("Creating cache for {}", repo_dir); info!(logger, "Creating cache");
arg.push(branch.to_string()); arg.push(branch.to_string());
arg_commit_count.push(branch.to_string()); arg_commit_count.push(branch.to_string());
} }
@ -180,13 +190,16 @@ where
T: Service, T: Service,
{ {
let data = data.into_inner(); let data = data.into_inner();
let logger = state
.logger
.new(o!("service" => T::domain(), "user" => data.0.clone(), "repo" => data.1.clone()));
let repo = format!( let repo = format!(
"{}/{}/{}", "{}/{}/{}",
T::domain(), T::domain(),
data.0.to_lowercase(), data.0.to_lowercase(),
data.1.to_lowercase() data.1.to_lowercase()
); );
info!("Deleting cache and repository for {}", repo); info!(logger, "Deleting cache and repository");
let cache_dir = format!("{}/{}.json", &state.cache, repo); let cache_dir = format!("{}/{}.json", &state.cache, repo);
let repo_dir = format!("{}/{}", &state.repos, repo); let repo_dir = format!("{}/{}", &state.repos, repo);
std::fs::remove_file(&cache_dir).or_else(|e| { std::fs::remove_file(&cache_dir).or_else(|e| {
@ -223,6 +236,9 @@ where
F: Fn(HocResult) -> Result<HttpResponse>, F: Fn(HocResult) -> Result<HttpResponse>,
{ {
let data = data.into_inner(); let data = data.into_inner();
let logger = state
.logger
.new(o!("service" => T::domain(), "user" => data.0.clone(), "repo" => data.1.clone(), "branch" => branch.to_string()));
let repo = format!("{}/{}", data.0.to_lowercase(), data.1.to_lowercase()); let repo = format!("{}/{}", data.0.to_lowercase(), data.1.to_lowercase());
let service_path = format!("{}/{}", T::url_path(), repo); let service_path = format!("{}/{}", T::url_path(), repo);
let service_url = format!("{}/{}", T::domain(), repo); let service_url = format!("{}/{}", T::domain(), repo);
@ -232,10 +248,10 @@ where
let file = Path::new(&path); let file = Path::new(&path);
if !file.exists() { if !file.exists() {
if !remote_exists { if !remote_exists {
warn!("Repository does not exist: {}", url); warn!(logger, "Repository does not exist");
return mapper(HocResult::NotFound); return mapper(HocResult::NotFound);
} }
info!("Cloning {} for the first time", url); info!(logger, "Cloning for the first time");
create_dir_all(file)?; create_dir_all(file)?;
let repo = Repository::init_bare(file)?; let repo = Repository::init_bare(file)?;
repo.remote_add_fetch("origin", "refs/heads/*:refs/heads/*")?; repo.remote_add_fetch("origin", "refs/heads/*:refs/heads/*")?;
@ -243,7 +259,7 @@ where
REPO_COUNT.fetch_add(1, Ordering::Relaxed); REPO_COUNT.fetch_add(1, Ordering::Relaxed);
} }
pull(&path)?; pull(&path)?;
let (hoc, head, commits) = hoc(&service_url, &state.repos, &state.cache, branch)?; let (hoc, head, commits) = hoc(&service_url, &state.repos, &state.cache, branch, &logger)?;
let hoc_pretty = match NumberPrefix::decimal(hoc as f64) { let hoc_pretty = match NumberPrefix::decimal(hoc as f64) {
NumberPrefix::Standalone(hoc) => hoc.to_string(), NumberPrefix::Standalone(hoc) => hoc.to_string(),
NumberPrefix::Prefixed(prefix, hoc) => format!("{:.1}{}", hoc, prefix), NumberPrefix::Prefixed(prefix, hoc) => format!("{:.1}{}", hoc, prefix),
@ -403,16 +419,19 @@ fn favicon32() -> HttpResponse {
HttpResponse::Ok().content_type("image/png").body(FAVICON) HttpResponse::Ok().content_type("image/png").body(FAVICON)
} }
async fn start_server() -> std::io::Result<()> { async fn start_server(logger: Logger) -> std::io::Result<()> {
let interface = format!("{}:{}", OPT.host, OPT.port); let interface = format!("{}:{}", OPT.host, OPT.port);
let state = Arc::new(State { let state = Arc::new(State {
repos: OPT.outdir.display().to_string(), repos: OPT.outdir.display().to_string(),
cache: OPT.cachedir.display().to_string(), cache: OPT.cachedir.display().to_string(),
logger,
}); });
HttpServer::new(move || { HttpServer::new(move || {
App::new() App::new()
.data(state.clone()) .data(state.clone())
.wrap(middleware::Logger::default()) .wrap(actix_slog::StructuredLogger::new(
state.logger.new(o!("log_type" => "access")),
))
.wrap(middleware::NormalizePath::new(TrailingSlash::Trim)) .wrap(middleware::NormalizePath::new(TrailingSlash::Trim))
.service(index) .service(index)
.service(web::resource("/tacit-css.min.css").route(web::get().to(css))) .service(web::resource("/tacit-css.min.css").route(web::get().to(css)))
@ -450,6 +469,6 @@ async fn start_server() -> std::io::Result<()> {
#[actix_rt::main] #[actix_rt::main]
async fn main() -> std::io::Result<()> { async fn main() -> std::io::Result<()> {
config::init().await.unwrap(); let logger = config::init();
start_server().await start_server(logger).await
} }