rest server: cleanup auth-log handling
Handle auth logs the same way as access log. - Configure with ApiConfig - CommandoSocket command to reload auth-logs "api-auth-log-reopen" Inside API calls, we now access the ApiConfig using the RestEnvironment. The openid_login api now also logs failed logins and return http_err!(UNAUTHORIZED, ..) on failed logins. Signed-off-by: Thomas Lamprecht <t.lamprecht@proxmox.com>
This commit is contained in:
committed by
Thomas Lamprecht
parent
1b1a553741
commit
36b7085ec2
@ -26,6 +26,7 @@ pub struct ApiConfig {
|
||||
templates: RwLock<Handlebars<'static>>,
|
||||
template_files: RwLock<HashMap<String, (SystemTime, PathBuf)>>,
|
||||
request_log: Option<Arc<Mutex<FileLogger>>>,
|
||||
auth_log: Option<Arc<Mutex<FileLogger>>>,
|
||||
pub api_auth: Arc<dyn ApiAuth + Send + Sync>,
|
||||
get_index_fn: GetIndexFn,
|
||||
}
|
||||
@ -46,6 +47,7 @@ impl ApiConfig {
|
||||
templates: RwLock::new(Handlebars::new()),
|
||||
template_files: RwLock::new(HashMap::new()),
|
||||
request_log: None,
|
||||
auth_log: None,
|
||||
api_auth,
|
||||
get_index_fn,
|
||||
})
|
||||
@ -172,7 +174,7 @@ impl ApiConfig {
|
||||
self.request_log = Some(Arc::clone(&request_log));
|
||||
|
||||
commando_sock.register_command("api-access-log-reopen".into(), move |_args| {
|
||||
println!("re-opening log file");
|
||||
println!("re-opening access-log file");
|
||||
request_log.lock().unwrap().reopen()?;
|
||||
Ok(serde_json::Value::Null)
|
||||
})?;
|
||||
@ -180,7 +182,46 @@ impl ApiConfig {
|
||||
Ok(())
|
||||
}
|
||||
|
||||
pub fn get_file_log(&self) -> Option<&Arc<Mutex<FileLogger>>> {
|
||||
pub fn enable_auth_log<P>(
|
||||
&mut self,
|
||||
path: P,
|
||||
dir_opts: Option<CreateOptions>,
|
||||
file_opts: Option<CreateOptions>,
|
||||
commando_sock: &mut CommandoSocket,
|
||||
) -> Result<(), Error>
|
||||
where
|
||||
P: Into<PathBuf>
|
||||
{
|
||||
let path: PathBuf = path.into();
|
||||
if let Some(base) = path.parent() {
|
||||
if !base.exists() {
|
||||
create_path(base, None, dir_opts).map_err(|err| format_err!("{}", err))?;
|
||||
}
|
||||
}
|
||||
|
||||
let logger_options = FileLogOptions {
|
||||
append: true,
|
||||
prefix_time: true,
|
||||
file_opts: file_opts.unwrap_or(CreateOptions::default()),
|
||||
..Default::default()
|
||||
};
|
||||
let auth_log = Arc::new(Mutex::new(FileLogger::new(&path, logger_options)?));
|
||||
self.auth_log = Some(Arc::clone(&auth_log));
|
||||
|
||||
commando_sock.register_command("api-auth-log-reopen".into(), move |_args| {
|
||||
println!("re-opening auth-log file");
|
||||
auth_log.lock().unwrap().reopen()?;
|
||||
Ok(serde_json::Value::Null)
|
||||
})?;
|
||||
|
||||
Ok(())
|
||||
}
|
||||
|
||||
pub fn get_access_log(&self) -> Option<&Arc<Mutex<FileLogger>>> {
|
||||
self.request_log.as_ref()
|
||||
}
|
||||
|
||||
pub fn get_auth_log(&self) -> Option<&Arc<Mutex<FileLogger>>> {
|
||||
self.auth_log.as_ref()
|
||||
}
|
||||
}
|
||||
|
@ -1,24 +1,65 @@
|
||||
use std::sync::Arc;
|
||||
use std::net::SocketAddr;
|
||||
|
||||
use serde_json::{json, Value};
|
||||
|
||||
use proxmox::api::{RpcEnvironment, RpcEnvironmentType};
|
||||
|
||||
use crate::ApiConfig;
|
||||
|
||||
/// Encapsulates information about the runtime environment
|
||||
pub struct RestEnvironment {
|
||||
env_type: RpcEnvironmentType,
|
||||
result_attributes: Value,
|
||||
auth_id: Option<String>,
|
||||
client_ip: Option<std::net::SocketAddr>,
|
||||
client_ip: Option<SocketAddr>,
|
||||
api: Arc<ApiConfig>,
|
||||
}
|
||||
|
||||
impl RestEnvironment {
|
||||
pub fn new(env_type: RpcEnvironmentType) -> Self {
|
||||
pub fn new(env_type: RpcEnvironmentType, api: Arc<ApiConfig>) -> Self {
|
||||
Self {
|
||||
result_attributes: json!({}),
|
||||
auth_id: None,
|
||||
client_ip: None,
|
||||
env_type,
|
||||
api,
|
||||
}
|
||||
}
|
||||
|
||||
pub fn api_config(&self) -> &ApiConfig {
|
||||
&self.api
|
||||
}
|
||||
|
||||
pub fn log_auth(&self, auth_id: &str) {
|
||||
let msg = format!("successful auth for user '{}'", auth_id);
|
||||
log::info!("{}", msg);
|
||||
if let Some(auth_logger) = self.api.get_auth_log() {
|
||||
auth_logger.lock().unwrap().log(&msg);
|
||||
}
|
||||
}
|
||||
|
||||
pub fn log_failed_auth(&self, failed_auth_id: Option<String>, msg: &str) {
|
||||
let msg = match (self.client_ip, failed_auth_id) {
|
||||
(Some(peer), Some(user)) => {
|
||||
format!("authentication failure; rhost={} user={} msg={}", peer, user, msg)
|
||||
}
|
||||
(Some(peer), None) => {
|
||||
format!("authentication failure; rhost={} msg={}", peer, msg)
|
||||
}
|
||||
(None, Some(user)) => {
|
||||
format!("authentication failure; rhost=unknown user={} msg={}", user, msg)
|
||||
}
|
||||
(None, None) => {
|
||||
format!("authentication failure; rhost=unknown msg={}", msg)
|
||||
}
|
||||
};
|
||||
log::error!("{}", msg);
|
||||
if let Some(auth_logger) = self.api.get_auth_log() {
|
||||
auth_logger.lock().unwrap().log(&msg);
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
impl RpcEnvironment for RestEnvironment {
|
||||
@ -43,11 +84,11 @@ impl RpcEnvironment for RestEnvironment {
|
||||
self.auth_id.clone()
|
||||
}
|
||||
|
||||
fn set_client_ip(&mut self, client_ip: Option<std::net::SocketAddr>) {
|
||||
fn set_client_ip(&mut self, client_ip: Option<SocketAddr>) {
|
||||
self.client_ip = client_ip;
|
||||
}
|
||||
|
||||
fn get_client_ip(&self) -> Option<std::net::SocketAddr> {
|
||||
fn get_client_ip(&self) -> Option<SocketAddr> {
|
||||
self.client_ip
|
||||
}
|
||||
}
|
||||
|
Reference in New Issue
Block a user