-
Notifications
You must be signed in to change notification settings - Fork 44
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Adapt the users service to the HTTP/JSON API #1117
Merged
Merged
Changes from all commits
Commits
Show all changes
22 commits
Select commit
Hold shift + click to select a range
0549f4f
initial commit of users service
jreidinger 5902ba9
use tuple of streams instead of StreamMap
jreidinger a9222b7
implement routes for first user
jreidinger 547dfb2
add root password routes
jreidinger 20b72e7
add route for ssh key
jreidinger 9987a22
add root route for users to get info
jreidinger 1316384
Add validation router and use it in users
jreidinger 7abc0b9
adapt users js code (WIP)
jreidinger 3689fd4
fix UI and also backend
jreidinger 89cb757
Merge remote-tracking branch 'origin/architecture_2024' into users_2024
jreidinger 52dc81d
another bunch of fixes
jreidinger 205b287
add hints for developing with two machines and debugging hints
jreidinger 7149061
format rust code
jreidinger 56d735e
Apply suggestions from code review
jreidinger dd4af42
changes from review
jreidinger a5e4c02
reduce number of events for root user change
jreidinger f5f95bf
modify routing as agreed. Client part is WIP
jreidinger 50e2073
adapt UI code to new http api
jreidinger 67fdec0
Merge remote-tracking branch 'origin/architecture_2024' into users_2024
jreidinger eed4f8f
Merge remote-tracking branch 'origin/architecture_2024' into users_2024
jreidinger 5bfad04
fixes from testing
jreidinger c561a33
Apply suggestions from code review
jreidinger File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,2 @@ | ||
pub mod web; | ||
pub use web::{users_service, users_streams}; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,229 @@ | ||
//! | ||
//! The module offers two public functions: | ||
//! | ||
//! * `users_service` which returns the Axum service. | ||
//! * `users_stream` which offers an stream that emits the users events coming from D-Bus. | ||
|
||
use crate::{ | ||
error::Error, | ||
web::{ | ||
common::{service_status_router, validation_router}, | ||
Event, | ||
}, | ||
}; | ||
use agama_lib::{ | ||
error::ServiceError, | ||
users::{proxies::Users1Proxy, FirstUser, UsersClient}, | ||
}; | ||
use axum::{extract::State, routing::get, Json, Router}; | ||
use serde::{Deserialize, Serialize}; | ||
use std::pin::Pin; | ||
use tokio_stream::{Stream, StreamExt}; | ||
|
||
#[derive(Clone)] | ||
struct UsersState<'a> { | ||
users: UsersClient<'a>, | ||
} | ||
|
||
/// Returns streams that emits users related events coming from D-Bus. | ||
/// | ||
/// It emits the Event::RootPasswordChange, Event::RootSSHKeyChanged and Event::FirstUserChanged events. | ||
/// | ||
/// * `connection`: D-Bus connection to listen for events. | ||
pub async fn users_streams( | ||
dbus: zbus::Connection, | ||
) -> Result<Vec<(&'static str, Pin<Box<dyn Stream<Item = Event> + Send>>)>, Error> { | ||
const FIRST_USER_ID: &str = "first_user"; | ||
const ROOT_PASSWORD_ID: &str = "root_password"; | ||
const ROOT_SSHKEY_ID: &str = "root_sshkey"; | ||
// here we have three streams, but only two events. Reason is | ||
// that we have three streams from dbus about property change | ||
// and unify two root user properties into single event to http API | ||
let result: Vec<(&str, Pin<Box<dyn Stream<Item = Event> + Send>>)> = vec![ | ||
( | ||
FIRST_USER_ID, | ||
Box::pin(first_user_changed_stream(dbus.clone()).await?), | ||
), | ||
( | ||
ROOT_PASSWORD_ID, | ||
Box::pin(root_password_changed_stream(dbus.clone()).await?), | ||
), | ||
( | ||
ROOT_SSHKEY_ID, | ||
Box::pin(root_ssh_key_changed_stream(dbus.clone()).await?), | ||
), | ||
]; | ||
|
||
Ok(result) | ||
} | ||
|
||
async fn first_user_changed_stream( | ||
dbus: zbus::Connection, | ||
) -> Result<impl Stream<Item = Event> + Send, Error> { | ||
let proxy = Users1Proxy::new(&dbus).await?; | ||
let stream = proxy | ||
.receive_first_user_changed() | ||
.await | ||
.then(|change| async move { | ||
if let Ok(user) = change.get().await { | ||
let user_struct = FirstUser { | ||
full_name: user.0, | ||
user_name: user.1, | ||
password: user.2, | ||
autologin: user.3, | ||
data: user.4, | ||
}; | ||
return Some(Event::FirstUserChanged(user_struct)); | ||
} | ||
None | ||
}) | ||
.filter_map(|e| e); | ||
Ok(stream) | ||
} | ||
|
||
async fn root_password_changed_stream( | ||
dbus: zbus::Connection, | ||
) -> Result<impl Stream<Item = Event> + Send, Error> { | ||
let proxy = Users1Proxy::new(&dbus).await?; | ||
let stream = proxy | ||
.receive_root_password_set_changed() | ||
.await | ||
.then(|change| async move { | ||
if let Ok(is_set) = change.get().await { | ||
return Some(Event::RootChanged { | ||
password: Some(is_set), | ||
sshkey: None, | ||
}); | ||
} | ||
None | ||
}) | ||
.filter_map(|e| e); | ||
Ok(stream) | ||
} | ||
|
||
async fn root_ssh_key_changed_stream( | ||
dbus: zbus::Connection, | ||
) -> Result<impl Stream<Item = Event> + Send, Error> { | ||
let proxy = Users1Proxy::new(&dbus).await?; | ||
let stream = proxy | ||
.receive_root_sshkey_changed() | ||
.await | ||
.then(|change| async move { | ||
if let Ok(key) = change.get().await { | ||
return Some(Event::RootChanged { | ||
password: None, | ||
sshkey: Some(key), | ||
}); | ||
} | ||
None | ||
}) | ||
.filter_map(|e| e); | ||
Ok(stream) | ||
} | ||
|
||
/// Sets up and returns the axum service for the users module. | ||
pub async fn users_service(dbus: zbus::Connection) -> Result<Router, ServiceError> { | ||
const DBUS_SERVICE: &str = "org.opensuse.Agama.Manager1"; | ||
const DBUS_PATH: &str = "/org/opensuse/Agama/Users1"; | ||
|
||
let users = UsersClient::new(dbus.clone()).await?; | ||
let state = UsersState { users }; | ||
let validation_router = validation_router(&dbus, DBUS_SERVICE, DBUS_PATH).await?; | ||
let status_router = service_status_router(&dbus, DBUS_SERVICE, DBUS_PATH).await?; | ||
let router = Router::new() | ||
.route( | ||
"/first", | ||
get(get_user_config) | ||
.put(set_first_user) | ||
.delete(remove_first_user), | ||
) | ||
.route("/root", get(get_root_config).patch(patch_root)) | ||
.merge(validation_router) | ||
.merge(status_router) | ||
.with_state(state); | ||
Ok(router) | ||
} | ||
|
||
/// Removes the first user settings | ||
#[utoipa::path(delete, path = "/users/first", responses( | ||
(status = 200, description = "Removes the first user"), | ||
(status = 400, description = "The D-Bus service could not perform the action"), | ||
))] | ||
async fn remove_first_user(State(state): State<UsersState<'_>>) -> Result<(), Error> { | ||
state.users.remove_first_user().await?; | ||
Ok(()) | ||
} | ||
|
||
#[utoipa::path(put, path = "/users/first", responses( | ||
(status = 200, description = "Sets the first user"), | ||
(status = 400, description = "The D-Bus service could not perform the action"), | ||
))] | ||
async fn set_first_user( | ||
State(state): State<UsersState<'_>>, | ||
Json(config): Json<FirstUser>, | ||
) -> Result<(), Error> { | ||
state.users.set_first_user(&config).await?; | ||
Ok(()) | ||
} | ||
|
||
#[utoipa::path(get, path = "/users/first", responses( | ||
(status = 200, description = "Configuration for the first user", body = FirstUser), | ||
(status = 400, description = "The D-Bus service could not perform the action"), | ||
))] | ||
async fn get_user_config(State(state): State<UsersState<'_>>) -> Result<Json<FirstUser>, Error> { | ||
Ok(Json(state.users.first_user().await?)) | ||
} | ||
|
||
#[derive(Clone, Debug, Default, Serialize, Deserialize, utoipa::ToSchema)] | ||
#[serde(rename_all = "camelCase")] | ||
pub struct RootPatchSettings { | ||
/// empty string here means remove ssh key for root | ||
pub sshkey: Option<String>, | ||
/// empty string here means remove password for root | ||
pub password: Option<String>, | ||
/// specify if patched password is provided in encrypted form | ||
pub password_encrypted: Option<bool>, | ||
} | ||
|
||
#[utoipa::path(patch, path = "/users/root", responses( | ||
(status = 200, description = "Root configuration is modified", body = RootPatchSettings), | ||
(status = 400, description = "The D-Bus service could not perform the action"), | ||
))] | ||
async fn patch_root( | ||
State(state): State<UsersState<'_>>, | ||
Json(config): Json<RootPatchSettings>, | ||
) -> Result<(), Error> { | ||
if let Some(key) = config.sshkey { | ||
state.users.set_root_sshkey(&key).await?; | ||
} | ||
if let Some(password) = config.password { | ||
if password.is_empty() { | ||
state.users.remove_root_password().await?; | ||
} else { | ||
state | ||
.users | ||
.set_root_password(&password, config.password_encrypted == Some(true)) | ||
.await?; | ||
} | ||
} | ||
Ok(()) | ||
} | ||
|
||
#[derive(Clone, Debug, Default, Serialize, Deserialize, utoipa::ToSchema)] | ||
pub struct RootConfig { | ||
/// returns if password for root is set or not | ||
password: bool, | ||
/// empty string mean no sshkey is specified | ||
sshkey: String, | ||
} | ||
|
||
#[utoipa::path(get, path = "/users/root", responses( | ||
(status = 200, description = "Configuration for the root user", body = RootConfig), | ||
(status = 400, description = "The D-Bus service could not perform the action"), | ||
))] | ||
async fn get_root_config(State(state): State<UsersState<'_>>) -> Result<Json<RootConfig>, Error> { | ||
let password = state.users.is_root_password().await?; | ||
let sshkey = state.users.root_ssh_key().await?; | ||
let config = RootConfig { password, sshkey }; | ||
Ok(Json(config)) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
For consistency, we should do the same with other
_stream
functions. Perhaps we should have a list of small things to fix after the big merge.There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
yeap, it would be consistent
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
btw as all our streams return this quite complex result I think it makes sense to create type in crate::web for easier sharing.