205 lines
6.6 KiB
Rust
205 lines
6.6 KiB
Rust
//! Proxmox Backup Server Authentication
|
|
//!
|
|
//! This library contains helper to authenticate users.
|
|
|
|
use std::process::{Command, Stdio};
|
|
use std::io::Write;
|
|
use std::ffi::CStr;
|
|
|
|
use anyhow::{bail, format_err, Error};
|
|
use serde_json::json;
|
|
|
|
use pbs_buildcfg::configdir;
|
|
|
|
use crate::api2::types::{Userid, UsernameRef, RealmRef};
|
|
|
|
pub trait ProxmoxAuthenticator {
|
|
fn authenticate_user(&self, username: &UsernameRef, password: &str) -> Result<(), Error>;
|
|
fn store_password(&self, username: &UsernameRef, password: &str) -> Result<(), Error>;
|
|
fn remove_password(&self, username: &UsernameRef) -> Result<(), Error>;
|
|
}
|
|
|
|
pub struct PAM();
|
|
|
|
impl ProxmoxAuthenticator for PAM {
|
|
|
|
fn authenticate_user(&self, username: &UsernameRef, password: &str) -> Result<(), Error> {
|
|
let mut auth = pam::Authenticator::with_password("proxmox-backup-auth").unwrap();
|
|
auth.get_handler().set_credentials(username.as_str(), password);
|
|
auth.authenticate()?;
|
|
Ok(())
|
|
}
|
|
|
|
fn store_password(&self, username: &UsernameRef, password: &str) -> Result<(), Error> {
|
|
let mut child = Command::new("passwd")
|
|
.arg(username.as_str())
|
|
.stdin(Stdio::piped())
|
|
.stderr(Stdio::piped())
|
|
.spawn()
|
|
.map_err(|err| format_err!(
|
|
"unable to set password for '{}' - execute passwd failed: {}",
|
|
username.as_str(),
|
|
err,
|
|
))?;
|
|
|
|
// Note: passwd reads password twice from stdin (for verify)
|
|
writeln!(child.stdin.as_mut().unwrap(), "{}\n{}", password, password)?;
|
|
|
|
let output = child
|
|
.wait_with_output()
|
|
.map_err(|err| format_err!(
|
|
"unable to set password for '{}' - wait failed: {}",
|
|
username.as_str(),
|
|
err,
|
|
))?;
|
|
|
|
if !output.status.success() {
|
|
bail!(
|
|
"unable to set password for '{}' - {}",
|
|
username.as_str(),
|
|
String::from_utf8_lossy(&output.stderr),
|
|
);
|
|
}
|
|
|
|
Ok(())
|
|
}
|
|
|
|
// do not remove password for pam users
|
|
fn remove_password(&self, _username: &UsernameRef) -> Result<(), Error> {
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
pub struct PBS();
|
|
|
|
// from libcrypt1, 'lib/crypt.h.in'
|
|
const CRYPT_OUTPUT_SIZE: usize = 384;
|
|
const CRYPT_MAX_PASSPHRASE_SIZE: usize = 512;
|
|
const CRYPT_DATA_RESERVED_SIZE: usize = 767;
|
|
const CRYPT_DATA_INTERNAL_SIZE: usize = 30720;
|
|
|
|
#[repr(C)]
|
|
struct crypt_data {
|
|
output: [libc::c_char; CRYPT_OUTPUT_SIZE],
|
|
setting: [libc::c_char; CRYPT_OUTPUT_SIZE],
|
|
input: [libc::c_char; CRYPT_MAX_PASSPHRASE_SIZE],
|
|
reserved: [libc::c_char; CRYPT_DATA_RESERVED_SIZE],
|
|
initialized: libc::c_char,
|
|
internal: [libc::c_char; CRYPT_DATA_INTERNAL_SIZE],
|
|
}
|
|
|
|
pub fn crypt(password: &[u8], salt: &[u8]) -> Result<String, Error> {
|
|
#[link(name = "crypt")]
|
|
extern "C" {
|
|
#[link_name = "crypt_r"]
|
|
fn __crypt_r(
|
|
key: *const libc::c_char,
|
|
salt: *const libc::c_char,
|
|
data: *mut crypt_data,
|
|
) -> *mut libc::c_char;
|
|
}
|
|
|
|
let mut data: crypt_data = unsafe { std::mem::zeroed() };
|
|
for (i, c) in salt.iter().take(data.setting.len() - 1).enumerate() {
|
|
data.setting[i] = *c as libc::c_char;
|
|
}
|
|
for (i, c) in password.iter().take(data.input.len() - 1).enumerate() {
|
|
data.input[i] = *c as libc::c_char;
|
|
}
|
|
|
|
let res = unsafe {
|
|
let status = __crypt_r(
|
|
&data.input as *const _,
|
|
&data.setting as *const _,
|
|
&mut data as *mut _,
|
|
);
|
|
if status.is_null() {
|
|
bail!("internal error: crypt_r returned null pointer");
|
|
}
|
|
CStr::from_ptr(&data.output as *const _)
|
|
};
|
|
Ok(String::from(res.to_str()?))
|
|
}
|
|
|
|
|
|
pub fn encrypt_pw(password: &str) -> Result<String, Error> {
|
|
|
|
let salt = proxmox::sys::linux::random_data(8)?;
|
|
let salt = format!("$5${}$", base64::encode_config(&salt, base64::CRYPT));
|
|
|
|
crypt(password.as_bytes(), salt.as_bytes())
|
|
}
|
|
|
|
pub fn verify_crypt_pw(password: &str, enc_password: &str) -> Result<(), Error> {
|
|
let verify = crypt(password.as_bytes(), enc_password.as_bytes())?;
|
|
if verify != enc_password {
|
|
bail!("invalid credentials");
|
|
}
|
|
Ok(())
|
|
}
|
|
|
|
const SHADOW_CONFIG_FILENAME: &str = configdir!("/shadow.json");
|
|
|
|
impl ProxmoxAuthenticator for PBS {
|
|
|
|
fn authenticate_user(&self, username: &UsernameRef, password: &str) -> Result<(), Error> {
|
|
let data = proxmox::tools::fs::file_get_json(SHADOW_CONFIG_FILENAME, Some(json!({})))?;
|
|
match data[username.as_str()].as_str() {
|
|
None => bail!("no password set"),
|
|
Some(enc_password) => verify_crypt_pw(password, enc_password)?,
|
|
}
|
|
Ok(())
|
|
}
|
|
|
|
fn store_password(&self, username: &UsernameRef, password: &str) -> Result<(), Error> {
|
|
let enc_password = encrypt_pw(password)?;
|
|
let mut data = proxmox::tools::fs::file_get_json(SHADOW_CONFIG_FILENAME, Some(json!({})))?;
|
|
data[username.as_str()] = enc_password.into();
|
|
|
|
let mode = nix::sys::stat::Mode::from_bits_truncate(0o0600);
|
|
let options = proxmox::tools::fs::CreateOptions::new()
|
|
.perm(mode)
|
|
.owner(nix::unistd::ROOT)
|
|
.group(nix::unistd::Gid::from_raw(0));
|
|
|
|
let data = serde_json::to_vec_pretty(&data)?;
|
|
proxmox::tools::fs::replace_file(SHADOW_CONFIG_FILENAME, &data, options)?;
|
|
|
|
Ok(())
|
|
}
|
|
|
|
fn remove_password(&self, username: &UsernameRef) -> Result<(), Error> {
|
|
let mut data = proxmox::tools::fs::file_get_json(SHADOW_CONFIG_FILENAME, Some(json!({})))?;
|
|
if let Some(map) = data.as_object_mut() {
|
|
map.remove(username.as_str());
|
|
}
|
|
|
|
let mode = nix::sys::stat::Mode::from_bits_truncate(0o0600);
|
|
let options = proxmox::tools::fs::CreateOptions::new()
|
|
.perm(mode)
|
|
.owner(nix::unistd::ROOT)
|
|
.group(nix::unistd::Gid::from_raw(0));
|
|
|
|
let data = serde_json::to_vec_pretty(&data)?;
|
|
proxmox::tools::fs::replace_file(SHADOW_CONFIG_FILENAME, &data, options)?;
|
|
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
/// Lookup the autenticator for the specified realm
|
|
pub fn lookup_authenticator(realm: &RealmRef) -> Result<Box<dyn ProxmoxAuthenticator>, Error> {
|
|
match realm.as_str() {
|
|
"pam" => Ok(Box::new(PAM())),
|
|
"pbs" => Ok(Box::new(PBS())),
|
|
_ => bail!("unknown realm '{}'", realm.as_str()),
|
|
}
|
|
}
|
|
|
|
/// Authenticate users
|
|
pub fn authenticate_user(userid: &Userid, password: &str) -> Result<(), Error> {
|
|
|
|
lookup_authenticator(userid.realm())?
|
|
.authenticate_user(userid.name(), password)
|
|
}
|