2024-07-07 21:13:19 +03:00
|
|
|
use actix_web::{web, App, HttpResponse, HttpServer, Responder};
|
2024-07-09 02:28:44 +03:00
|
|
|
use log::{info, error};
|
2024-07-07 21:13:19 +03:00
|
|
|
use regex::Regex;
|
|
|
|
use serde::{Deserialize, Serialize};
|
2024-07-07 21:02:39 +03:00
|
|
|
use std::collections::HashMap;
|
|
|
|
use std::sync::{Arc, Mutex};
|
2024-07-07 21:13:19 +03:00
|
|
|
use tokio_postgres::{Client, NoTls};
|
2024-07-07 21:02:39 +03:00
|
|
|
|
|
|
|
#[derive(Serialize, Deserialize, Clone, Debug)]
|
|
|
|
pub struct SshKey {
|
|
|
|
pub server: String,
|
|
|
|
pub public_key: String,
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Serialize, Deserialize, Clone, Debug)]
|
|
|
|
pub struct Flow {
|
|
|
|
pub name: String,
|
|
|
|
pub servers: Vec<SshKey>,
|
|
|
|
}
|
|
|
|
|
|
|
|
pub type Flows = Arc<Mutex<Vec<Flow>>>;
|
|
|
|
|
|
|
|
pub fn is_valid_ssh_key(key: &str) -> bool {
|
|
|
|
let rsa_re = Regex::new(r"^ssh-rsa AAAA[0-9A-Za-z+/]+[=]{0,3}( .+)?$").unwrap();
|
|
|
|
let dsa_re = Regex::new(r"^ssh-dss AAAA[0-9A-Za-z+/]+[=]{0,3}( .+)?$").unwrap();
|
2024-07-09 02:28:44 +03:00
|
|
|
let ecdsa_re = Regex::new(r"^ecdsa-sha2-nistp(256|384|521) AAAA[0-9A-Za-z+/]+[=]{0,3}( .+)?$").unwrap();
|
2024-07-07 21:02:39 +03:00
|
|
|
let ed25519_re = Regex::new(r"^ssh-ed25519 AAAA[0-9A-Za-z+/]+[=]{0,3}( .+)?$").unwrap();
|
|
|
|
|
2024-07-07 21:13:19 +03:00
|
|
|
rsa_re.is_match(key)
|
|
|
|
|| dsa_re.is_match(key)
|
|
|
|
|| ecdsa_re.is_match(key)
|
|
|
|
|| ed25519_re.is_match(key)
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
|
|
|
|
2024-07-07 21:13:19 +03:00
|
|
|
pub async fn insert_key_if_not_exists(
|
|
|
|
client: &Client,
|
|
|
|
key: &SshKey,
|
|
|
|
) -> Result<i32, tokio_postgres::Error> {
|
|
|
|
let row = client
|
|
|
|
.query_opt(
|
|
|
|
"SELECT key_id FROM public.keys WHERE host = $1 AND key = $2",
|
|
|
|
&[&key.server, &key.public_key],
|
|
|
|
)
|
|
|
|
.await?;
|
2024-07-07 21:02:39 +03:00
|
|
|
|
|
|
|
if let Some(row) = row {
|
2024-07-07 21:13:19 +03:00
|
|
|
client
|
|
|
|
.execute(
|
|
|
|
"UPDATE public.keys SET updated = NOW() WHERE key_id = $1",
|
|
|
|
&[&row.get::<_, i32>(0)],
|
|
|
|
)
|
|
|
|
.await?;
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Updated existing key for server: {}", key.server);
|
2024-07-07 21:02:39 +03:00
|
|
|
Ok(row.get(0))
|
|
|
|
} else {
|
|
|
|
let row = client.query_one(
|
|
|
|
"INSERT INTO public.keys (host, key, updated) VALUES ($1, $2, NOW()) RETURNING key_id",
|
|
|
|
&[&key.server, &key.public_key]
|
|
|
|
).await?;
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Inserted new key for server: {}", key.server);
|
2024-07-07 21:02:39 +03:00
|
|
|
Ok(row.get(0))
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-07-07 21:13:19 +03:00
|
|
|
pub async fn insert_flow_key(
|
|
|
|
client: &Client,
|
|
|
|
flow_name: &str,
|
|
|
|
key_id: i32,
|
|
|
|
) -> Result<(), tokio_postgres::Error> {
|
|
|
|
client
|
|
|
|
.execute(
|
|
|
|
"INSERT INTO public.flows (name, key_id) VALUES ($1, $2) ON CONFLICT DO NOTHING",
|
|
|
|
&[&flow_name, &key_id],
|
|
|
|
)
|
|
|
|
.await?;
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Inserted key_id {} into flow: {}", key_id, flow_name);
|
2024-07-07 21:02:39 +03:00
|
|
|
Ok(())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn get_keys_from_db(client: &Client) -> Result<Vec<Flow>, tokio_postgres::Error> {
|
|
|
|
let rows = client.query(
|
|
|
|
"SELECT k.host, k.key, f.name FROM public.keys k INNER JOIN public.flows f ON k.key_id = f.key_id",
|
|
|
|
&[]
|
|
|
|
).await?;
|
|
|
|
|
|
|
|
let mut flows_map: HashMap<String, Flow> = HashMap::new();
|
|
|
|
|
|
|
|
for row in rows {
|
|
|
|
let host: String = row.get(0);
|
|
|
|
let key: String = row.get(1);
|
|
|
|
let flow: String = row.get(2);
|
|
|
|
|
2024-07-07 21:13:19 +03:00
|
|
|
let ssh_key = SshKey {
|
|
|
|
server: host,
|
|
|
|
public_key: key,
|
|
|
|
};
|
2024-07-07 21:02:39 +03:00
|
|
|
|
|
|
|
if let Some(flow_entry) = flows_map.get_mut(&flow) {
|
|
|
|
flow_entry.servers.push(ssh_key);
|
|
|
|
} else {
|
2024-07-07 21:13:19 +03:00
|
|
|
flows_map.insert(
|
|
|
|
flow.clone(),
|
|
|
|
Flow {
|
|
|
|
name: flow,
|
|
|
|
servers: vec![ssh_key],
|
|
|
|
},
|
|
|
|
);
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Retrieved {} flows from database", flows_map.len());
|
2024-07-07 21:02:39 +03:00
|
|
|
Ok(flows_map.into_values().collect())
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn get_keys(
|
|
|
|
flows: web::Data<Flows>,
|
|
|
|
flow_id: web::Path<String>,
|
2024-07-07 21:13:19 +03:00
|
|
|
allowed_flows: web::Data<Vec<String>>,
|
2024-07-07 21:02:39 +03:00
|
|
|
) -> impl Responder {
|
|
|
|
let flow_id_str = flow_id.into_inner();
|
|
|
|
if !allowed_flows.contains(&flow_id_str) {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Flow ID not allowed: {}", flow_id_str);
|
2024-07-07 21:02:39 +03:00
|
|
|
return HttpResponse::Forbidden().body("Flow ID not allowed");
|
|
|
|
}
|
|
|
|
|
|
|
|
let flows = flows.lock().unwrap();
|
|
|
|
if let Some(flow) = flows.iter().find(|flow| flow.name == flow_id_str) {
|
|
|
|
let servers: Vec<&SshKey> = flow.servers.iter().collect();
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Returning {} keys for flow: {}", servers.len(), flow_id_str);
|
2024-07-07 21:02:39 +03:00
|
|
|
HttpResponse::Ok().json(servers)
|
|
|
|
} else {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Flow ID not found: {}", flow_id_str);
|
2024-07-07 21:02:39 +03:00
|
|
|
HttpResponse::NotFound().body("Flow ID not found")
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn add_keys(
|
|
|
|
flows: web::Data<Flows>,
|
|
|
|
flow_id: web::Path<String>,
|
|
|
|
new_keys: web::Json<Vec<SshKey>>,
|
|
|
|
db_client: web::Data<Arc<Client>>,
|
2024-07-07 21:13:19 +03:00
|
|
|
allowed_flows: web::Data<Vec<String>>,
|
2024-07-07 21:02:39 +03:00
|
|
|
) -> impl Responder {
|
|
|
|
let flow_id_str = flow_id.into_inner();
|
|
|
|
if !allowed_flows.contains(&flow_id_str) {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Flow ID not allowed: {}", flow_id_str);
|
2024-07-07 21:02:39 +03:00
|
|
|
return HttpResponse::Forbidden().body("Flow ID not allowed");
|
|
|
|
}
|
|
|
|
|
|
|
|
for new_key in new_keys.iter() {
|
|
|
|
if !is_valid_ssh_key(&new_key.public_key) {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Invalid SSH key format for server: {}", new_key.server);
|
2024-07-07 21:13:19 +03:00
|
|
|
return HttpResponse::BadRequest().body(format!(
|
|
|
|
"Invalid SSH key format for server: {}",
|
|
|
|
new_key.server
|
|
|
|
));
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
match insert_key_if_not_exists(&db_client, new_key).await {
|
|
|
|
Ok(key_id) => {
|
|
|
|
if let Err(e) = insert_flow_key(&db_client, &flow_id_str, key_id).await {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Failed to insert flow key into database: {}", e);
|
2024-07-07 21:13:19 +03:00
|
|
|
return HttpResponse::InternalServerError()
|
|
|
|
.body("Failed to insert flow key into database");
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
2024-07-07 21:13:19 +03:00
|
|
|
}
|
2024-07-07 21:02:39 +03:00
|
|
|
Err(e) => {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Failed to insert key into database: {}", e);
|
2024-07-07 21:13:19 +03:00
|
|
|
return HttpResponse::InternalServerError()
|
|
|
|
.body("Failed to insert key into database");
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-07-09 02:28:44 +03:00
|
|
|
let updated_flows = match get_keys_from_db(&db_client).await {
|
|
|
|
Ok(flows) => flows,
|
|
|
|
Err(e) => {
|
|
|
|
error!("Failed to get updated flows from database: {}", e);
|
|
|
|
return HttpResponse::InternalServerError()
|
|
|
|
.body("Failed to refresh flows from database");
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
2024-07-07 21:02:39 +03:00
|
|
|
let mut flows_guard = flows.lock().unwrap();
|
|
|
|
*flows_guard = updated_flows;
|
|
|
|
|
|
|
|
let updated_flow = flows_guard.iter().find(|flow| flow.name == flow_id_str);
|
|
|
|
if let Some(flow) = updated_flow {
|
|
|
|
let servers: Vec<&SshKey> = flow.servers.iter().collect();
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Updated flow: {} with {} keys", flow_id_str, servers.len());
|
2024-07-07 21:02:39 +03:00
|
|
|
HttpResponse::Ok().json(servers)
|
|
|
|
} else {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Flow ID not found after update: {}", flow_id_str);
|
2024-07-07 21:02:39 +03:00
|
|
|
HttpResponse::NotFound().body("Flow ID not found")
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
pub async fn run_server(args: crate::Args) -> std::io::Result<()> {
|
|
|
|
let db_user = args.db_user.expect("db_user is required in server mode");
|
2024-07-07 21:13:19 +03:00
|
|
|
let db_password = args
|
|
|
|
.db_password
|
|
|
|
.expect("db_password is required in server mode");
|
2024-07-07 21:02:39 +03:00
|
|
|
|
|
|
|
let db_conn_str = format!(
|
|
|
|
"host={} user={} password={} dbname={}",
|
|
|
|
args.db_host, db_user, db_password, args.db_name
|
|
|
|
);
|
|
|
|
|
|
|
|
let (db_client, connection) = tokio_postgres::connect(&db_conn_str, NoTls).await.unwrap();
|
|
|
|
let db_client = Arc::new(db_client);
|
|
|
|
|
|
|
|
// Spawn a new thread to run the database connection
|
|
|
|
tokio::spawn(async move {
|
|
|
|
if let Err(e) = connection.await {
|
2024-07-09 02:28:44 +03:00
|
|
|
error!("Connection error: {}", e);
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|
|
|
|
});
|
|
|
|
|
2024-07-09 02:28:44 +03:00
|
|
|
let mut initial_flows = match get_keys_from_db(&db_client).await {
|
|
|
|
Ok(flows) => flows,
|
|
|
|
Err(e) => {
|
|
|
|
error!("Failed to get initial flows from database: {}", e);
|
|
|
|
Vec::new()
|
|
|
|
}
|
|
|
|
};
|
2024-07-07 21:02:39 +03:00
|
|
|
|
|
|
|
// Ensure all allowed flows are initialized
|
|
|
|
for allowed_flow in &args.flows {
|
|
|
|
if !initial_flows.iter().any(|flow| &flow.name == allowed_flow) {
|
|
|
|
initial_flows.push(Flow {
|
|
|
|
name: allowed_flow.clone(),
|
|
|
|
servers: vec![],
|
|
|
|
});
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
let flows: Flows = Arc::new(Mutex::new(initial_flows));
|
|
|
|
let allowed_flows = web::Data::new(args.flows);
|
|
|
|
|
2024-07-09 02:28:44 +03:00
|
|
|
info!("Starting HTTP server on {}:{}", args.ip, args.port);
|
2024-07-07 21:02:39 +03:00
|
|
|
HttpServer::new(move || {
|
|
|
|
App::new()
|
|
|
|
.app_data(web::Data::new(flows.clone()))
|
|
|
|
.app_data(web::Data::new(db_client.clone()))
|
|
|
|
.app_data(allowed_flows.clone())
|
|
|
|
.route("/{flow_id}/keys", web::get().to(get_keys))
|
|
|
|
.route("/{flow_id}/keys", web::post().to(add_keys))
|
|
|
|
})
|
2024-07-09 02:28:44 +03:00
|
|
|
.bind((args.ip.as_str(), args.port))?
|
|
|
|
.run()
|
|
|
|
.await
|
2024-07-07 21:02:39 +03:00
|
|
|
}
|