forked from github-starred/komodo
* feat: add maintenance window management to suppress alerts during planned activities (#550) * feat: add scheduled maintenance windows to server configuration - Add maintenance window configuration to server entities - Implement maintenance window UI components with data table layout - Add maintenance tab to server interface - Suppress alerts during maintenance windows * chore: enhance maintenance windows with types and permission improvements - Add chrono dependency to Rust client core for time handling - Add comprehensive TypeScript types for maintenance windows (MaintenanceWindow, MaintenanceScheduleType, MaintenanceTime, DayOfWeek) - Improve maintenance config component to use usePermissions hook for better permission handling - Update package dependencies * feat: restore alert buffer system to prevent noise * fix yarn fe * fix the merge with new alerting changes * move alert buffer handle out of loop * nit * fix server version changes * unneeded buffer clear --------- Co-authored-by: mbecker20 <becker.maxh@gmail.com> * set version 1.18.2 * failed OIDC provider init doesn't cause panic, just error log * OIDC: use userinfo endpoint to get preffered username for user. * add profile to scopes and account for username already taken * search through server docker lists * move maintenance stuff * refactor maintenance schedules to have more toml compatible structure * daily schedule type use struct * add timezone to core info response * frontend can build with new maintenance types * Action monaco expose KomodoClient to init another client * flatten out the nested enum * update maintenance schedule types * dev-3 * implement maintenance windows on alerters * dev-4 * add IanaTimezone enum * typeshare timezone enum * maintenance modes almost done on servers AND alerters * maintenance schedules working * remove mention of migrator * Procedure / Action schedule timezone selector * improve timezone selector to display configure core TZ * dev-5 * refetch core version * add version to server list item info * add periphery version in server table * dev-6 * capitalize Unknown server status in cache * handle unknown version case * set server table sizes * default resource_poll_interval 1-hr * ensure parent folder exists before cloning * document Build Attach permission * git actions return absolute path * stack linked repos * resource toml replace linked_repo id with name * validate incoming linked repo * add linked repo to stack list item info * stack list item info resolved linked repo information * configure linked repo stack * to repo links * dev-7 * sync: replace linked repo with name for execute compare * obscure provider tokens in table view * clean up stack write w/ refactor * Resource Sync / Build start support Repo attach * add stack clone path config * Builds + syncs can link to repos * dev-9 * update ts * fix linked repo not included in resource sync list item info * add linked repo UI for builds / syncs * fix commit linked repo sync * include linked repo syncs * correct Sync / Build config mode * dev-12 fix resource sync inclusion w/ linked_repo * remove unneed sync commit todo!() * fix other config.repo.is_empty issues * replace ids in all to toml exports * Ensure git pull before commit for linear history, add to update logs * fix fe for linked repo cases * consolidate linked repo config component * fix resource sync commit behavior * dev 17 * Build uses Pull or Clone api to setup build source * capitalize Clone Repo stage * mount PullOrCloneRepo * dev-19 * Expand supported container names and also avoid unnecessary name formatting * dev-20 * add periphery /terminal/execute/container api * periphery client execute_container_exec method * implement execute container, deployment, stack exec * gen types * execute container exec method * clean up client / fix fe * enumerate exec ts methods for each resource type * fix and gen ts client * fix FE use connect_exec * add url log when terminal ws fail to connect * ts client server allow terminal.js * FE preload terminal.js / .d.ts * dev-23 fix stack terminal fail to connect when not explicitly setting container name * update docs on attach perms * 1.18.2 --------- Co-authored-by: Samuel Cardoso <R3D2@users.noreply.github.com>
139 lines
3.9 KiB
Rust
139 lines
3.9 KiB
Rust
use anyhow::{Context, anyhow};
|
|
use axum::{
|
|
Router, extract::Query, response::Redirect, routing::get,
|
|
};
|
|
use komodo_client::entities::{
|
|
komodo_timestamp,
|
|
user::{User, UserConfig},
|
|
};
|
|
use mongo_indexed::Document;
|
|
use mungos::mongodb::bson::doc;
|
|
use reqwest::StatusCode;
|
|
use serde::Deserialize;
|
|
use serror::AddStatusCode;
|
|
|
|
use crate::{
|
|
config::core_config, helpers::random_string, state::{db_client, jwt_client}
|
|
};
|
|
|
|
use self::client::github_oauth_client;
|
|
|
|
use super::{RedirectQuery, STATE_PREFIX_LENGTH};
|
|
|
|
pub mod client;
|
|
|
|
pub fn router() -> Router {
|
|
Router::new()
|
|
.route(
|
|
"/login",
|
|
get(|Query(query): Query<RedirectQuery>| async {
|
|
Redirect::to(
|
|
&github_oauth_client()
|
|
.as_ref()
|
|
// OK: the router is only mounted in case that the client is populated
|
|
.unwrap()
|
|
.get_login_redirect_url(query.redirect)
|
|
.await,
|
|
)
|
|
}),
|
|
)
|
|
.route(
|
|
"/callback",
|
|
get(|query| async {
|
|
callback(query).await.status_code(StatusCode::UNAUTHORIZED)
|
|
}),
|
|
)
|
|
}
|
|
|
|
#[derive(Debug, Deserialize)]
|
|
struct CallbackQuery {
|
|
state: String,
|
|
code: String,
|
|
}
|
|
|
|
#[instrument(name = "GithubCallback", level = "debug")]
|
|
async fn callback(
|
|
Query(query): Query<CallbackQuery>,
|
|
) -> anyhow::Result<Redirect> {
|
|
let client = github_oauth_client().as_ref().unwrap();
|
|
if !client.check_state(&query.state).await {
|
|
return Err(anyhow!("state mismatch"));
|
|
}
|
|
let token = client.get_access_token(&query.code).await?;
|
|
let github_user =
|
|
client.get_github_user(&token.access_token).await?;
|
|
let github_id = github_user.id.to_string();
|
|
let db_client = db_client();
|
|
let user = db_client
|
|
.users
|
|
.find_one(doc! { "config.data.github_id": &github_id })
|
|
.await
|
|
.context("failed at find user query from database")?;
|
|
let jwt = match user {
|
|
Some(user) => jwt_client()
|
|
.encode(user.id)
|
|
.context("failed to generate jwt")?,
|
|
None => {
|
|
let ts = komodo_timestamp();
|
|
let no_users_exist =
|
|
db_client.users.find_one(Document::new()).await?.is_none();
|
|
let core_config = core_config();
|
|
if !no_users_exist && core_config.disable_user_registration {
|
|
return Err(anyhow!("User registration is disabled"));
|
|
}
|
|
|
|
let mut username = github_user.login;
|
|
// Modify username if it already exists
|
|
if db_client
|
|
.users
|
|
.find_one(doc! { "username": &username })
|
|
.await
|
|
.context("Failed to query users collection")?
|
|
.is_some()
|
|
{
|
|
username += "-";
|
|
username += &random_string(5);
|
|
};
|
|
|
|
let user = User {
|
|
id: Default::default(),
|
|
username,
|
|
enabled: no_users_exist || core_config.enable_new_users,
|
|
admin: no_users_exist,
|
|
super_admin: no_users_exist,
|
|
create_server_permissions: no_users_exist,
|
|
create_build_permissions: no_users_exist,
|
|
updated_at: ts,
|
|
last_update_view: 0,
|
|
recents: Default::default(),
|
|
all: Default::default(),
|
|
config: UserConfig::Github {
|
|
github_id,
|
|
avatar: github_user.avatar_url,
|
|
},
|
|
};
|
|
let user_id = db_client
|
|
.users
|
|
.insert_one(user)
|
|
.await
|
|
.context("failed to create user on mongo")?
|
|
.inserted_id
|
|
.as_object_id()
|
|
.context("inserted_id is not ObjectId")?
|
|
.to_string();
|
|
jwt_client()
|
|
.encode(user_id)
|
|
.context("failed to generate jwt")?
|
|
}
|
|
};
|
|
let exchange_token = jwt_client().create_exchange_token(jwt).await;
|
|
let redirect = &query.state[STATE_PREFIX_LENGTH..];
|
|
let redirect_url = if redirect.is_empty() {
|
|
format!("{}?token={exchange_token}", core_config().host)
|
|
} else {
|
|
let splitter = if redirect.contains('?') { '&' } else { '?' };
|
|
format!("{}{splitter}token={exchange_token}", redirect)
|
|
};
|
|
Ok(Redirect::to(&redirect_url))
|
|
}
|