Merge branch 'main' into feature/dark-theme

This commit is contained in:
Austin 2023-03-20 19:27:07 +00:00
commit 0bce04e2a7
4 changed files with 113 additions and 117 deletions

View File

@ -92,10 +92,8 @@ impl Component for App {
redirect_to: Self::get_redirect_route(ctx),
password_reset_enabled: None,
};
let link = ctx.link().clone();
wasm_bindgen_futures::spawn_local(async move {
let result = HostService::probe_password_reset().await;
link.send_message(Msg::PasswordResetProbeFinished(result));
ctx.link().send_future(async move {
Msg::PasswordResetProbeFinished(HostService::probe_password_reset().await)
});
app.apply_initial_redirections(ctx);
app
@ -157,47 +155,41 @@ impl Component for App {
}
impl App {
// Get the page to land on after logging in, defaulting to the index.
fn get_redirect_route(ctx: &Context<Self>) -> Option<AppRoute> {
let history = ctx.link().history().unwrap();
let route = history.location().route::<AppRoute>();
route.and_then(|route| match route {
AppRoute::Index
| AppRoute::Login
| AppRoute::StartResetPassword
| AppRoute::FinishResetPassword { token: _ } => None,
_ => Some(route),
let route = ctx.link().history().unwrap().location().route::<AppRoute>();
route.filter(|route| {
!matches!(
route,
AppRoute::Index
| AppRoute::Login
| AppRoute::StartResetPassword
| AppRoute::FinishResetPassword { token: _ }
)
})
}
fn apply_initial_redirections(&self, ctx: &Context<Self>) {
let history = ctx.link().history().unwrap();
let route = history.location().route::<AppRoute>();
let redirection = if let Some(route) = route {
if matches!(
route,
AppRoute::StartResetPassword | AppRoute::FinishResetPassword { token: _ }
) && self.password_reset_enabled == Some(false)
{
Some(AppRoute::Login)
} else {
match &self.user_info {
None => Some(AppRoute::Login),
Some((user_name, is_admin)) => match &self.redirect_to {
Some(url) => Some(url.clone()),
None => {
if *is_admin {
Some(AppRoute::ListUsers)
} else {
Some(AppRoute::UserDetails {
user_id: user_name.clone(),
})
}
}
},
let redirection = match (route, &self.user_info, &self.redirect_to) {
(
Some(AppRoute::StartResetPassword | AppRoute::FinishResetPassword { token: _ }),
_,
_,
) if self.password_reset_enabled == Some(false) => Some(AppRoute::Login),
(None, _, _) | (_, None, _) => Some(AppRoute::Login),
// User is logged in, a URL was given, don't redirect.
(_, Some(_), Some(_)) => None,
(_, Some((user_name, is_admin)), None) => {
if *is_admin {
Some(AppRoute::ListUsers)
} else {
Some(AppRoute::UserDetails {
user_id: user_name.clone(),
})
}
}
} else {
Some(AppRoute::Login)
};
if let Some(redirect_to) = redirection {
history.push(redirect_to);
@ -340,6 +332,7 @@ impl App {
}
} else { html!{} }
}
{ self.view_user_menu(ctx) } // TODO migrate chagnes from above
<DarkModeToggle />
</div>
</div>
@ -347,6 +340,52 @@ impl App {
}
}
fn view_user_menu(&self, ctx: &Context<Self>) -> Html {
if let Some((user_id, _)) = &self.user_info {
let link = ctx.link();
html! {
<div class="dropdown text-end">
<a href="#"
class="d-block link-dark text-decoration-none dropdown-toggle"
id="dropdownUser"
data-bs-toggle="dropdown"
aria-expanded="false">
<svg xmlns="http://www.w3.org/2000/svg"
width="32"
height="32"
fill="currentColor"
class="bi bi-person-circle"
viewBox="0 0 16 16">
<path d="M11 6a3 3 0 1 1-6 0 3 3 0 0 1 6 0z"/>
<path fill-rule="evenodd" d="M0 8a8 8 0 1 1 16 0A8 8 0 0 1 0 8zm8-7a7 7 0 0 0-5.468 11.37C3.242 11.226 4.805 10 8 10s4.757 1.225 5.468 2.37A7 7 0 0 0 8 1z"/>
</svg>
<span class="ms-2">
{user_id}
</span>
</a>
<ul
class="dropdown-menu text-small dropdown-menu-lg-end"
aria-labelledby="dropdownUser1"
style="">
<li>
<Link
classes="dropdown-item"
to={AppRoute::UserDetails{ user_id: user_id.clone() }}>
{"View details"}
</Link>
</li>
<li><hr class="dropdown-divider" /></li>
<li>
<LogoutButton on_logged_out={link.callback(|_| Msg::Logout)} />
</li>
</ul>
</div>
}
} else {
html! {}
}
}
fn view_footer(&self) -> Html {
html! {
<footer class="text-center fixed-bottom bg-light py-2">

View File

@ -64,31 +64,17 @@ impl Component for Select {
}
}
pub struct SelectOption;
#[derive(yew::Properties, Clone, PartialEq, Eq, Debug)]
pub struct SelectOptionProps {
pub value: String,
pub text: String,
}
impl Component for SelectOption {
type Message = ();
type Properties = SelectOptionProps;
fn create(_: &Context<Self>) -> Self {
Self
}
fn update(&mut self, _: &Context<Self>, _: Self::Message) -> bool {
false
}
fn view(&self, ctx: &Context<Self>) -> Html {
html! {
<option value={ctx.props().value.clone()}>
{&ctx.props().text}
</option>
}
#[function_component(SelectOption)]
pub fn select_option(props: &SelectOptionProps) -> Html {
html! {
<option value={props.value.clone()}>
{&props.text}
</option>
}
}

View File

@ -65,6 +65,15 @@ async fn call_server_empty_response_with_error_message<Body: Serialize>(
call_server(url, request, error_message).await.map(|_| ())
}
fn set_cookies_from_jwt(response: login::ServerLoginResponse) -> Result<(String, bool)> {
let jwt_claims = get_claims_from_jwt(response.token.as_str()).context("Could not parse JWT")?;
let is_admin = jwt_claims.groups.contains("lldap_admin");
set_cookie("user_id", &jwt_claims.user, &jwt_claims.exp)
.map(|_| set_cookie("is_admin", &is_admin.to_string(), &jwt_claims.exp))
.map(|_| (jwt_claims.user.clone(), is_admin))
.context("Error setting cookie")
}
impl HostService {
pub async fn graphql_query<QueryType>(
variables: QueryType::Variables,
@ -87,10 +96,13 @@ impl HostService {
})
};
let request_body = QueryType::build_query(variables);
let response = call_server("/api/graphql", Some(request_body), error_message).await?;
serde_json::from_str(&response)
.context("Could not parse response")
.and_then(unwrap_graphql_response)
call_server_json_with_error_message::<graphql_client::Response<_>, _>(
"/api/graphql",
Some(request_body),
error_message,
)
.await
.and_then(unwrap_graphql_response)
}
pub async fn login_start(
@ -105,26 +117,13 @@ impl HostService {
}
pub async fn login_finish(request: login::ClientLoginFinishRequest) -> Result<(String, bool)> {
let set_cookies = |jwt_claims: JWTClaims| {
let is_admin = jwt_claims.groups.contains("lldap_admin");
set_cookie("user_id", &jwt_claims.user, &jwt_claims.exp)
.map(|_| set_cookie("is_admin", &is_admin.to_string(), &jwt_claims.exp))
.map(|_| (jwt_claims.user.clone(), is_admin))
.context("Error clearing cookie")
};
let response = call_server(
call_server_json_with_error_message::<login::ServerLoginResponse, _>(
"/auth/opaque/login/finish",
Some(request),
"Could not finish authentication",
)
.await?;
serde_json::from_str::<login::ServerLoginResponse>(&response)
.context("Could not parse response")
.and_then(|r| {
get_claims_from_jwt(r.token.as_str())
.context("Could not parse response")
.and_then(set_cookies)
})
.await
.and_then(set_cookies_from_jwt)
}
pub async fn register_start(
@ -150,22 +149,13 @@ impl HostService {
}
pub async fn refresh() -> Result<(String, bool)> {
let set_cookies = |jwt_claims: JWTClaims| {
let is_admin = jwt_claims.groups.contains("lldap_admin");
set_cookie("user_id", &jwt_claims.user, &jwt_claims.exp)
.map(|_| set_cookie("is_admin", &is_admin.to_string(), &jwt_claims.exp))
.map(|_| (jwt_claims.user.clone(), is_admin))
.context("Error clearing cookie")
};
let response =
call_server("/auth/refresh", NO_BODY, "Could not start authentication: ").await?;
serde_json::from_str::<login::ServerLoginResponse>(&response)
.context("Could not parse response")
.and_then(|r| {
get_claims_from_jwt(r.token.as_str())
.context("Could not parse response")
.and_then(set_cookies)
})
call_server_json_with_error_message::<login::ServerLoginResponse, _>(
"/auth/refresh",
NO_BODY,
"Could not start authentication: ",
)
.await
.and_then(set_cookies_from_jwt)
}
// The `_request` parameter is to make it the same shape as the other functions.

View File

@ -102,7 +102,7 @@ impl<C: CommonComponent<C>> CommonComponentParts<C> {
}
/// Call `method` from the backend with the given `request`, and pass the `callback` for the
/// result. Returns whether _starting the call_ failed.
/// result.
pub fn call_backend<Fut, Cb, Resp>(&mut self, ctx: &Context<C>, fut: Fut, callback: Cb)
where
Fut: Future<Output = Resp> + 'static,
@ -134,29 +134,10 @@ impl<C: CommonComponent<C>> CommonComponentParts<C> {
QueryType: GraphQLQuery + 'static,
EnumCallback: Fn(Result<QueryType::ResponseData>) -> <C as Component>::Message + 'static,
{
{
let mut running = self.is_task_running.lock().unwrap();
assert!(!*running);
*running = true;
}
let is_task_running = self.is_task_running.clone();
ctx.link().send_future(async move {
let res = HostService::graphql_query::<QueryType>(variables, error_message).await;
*is_task_running.lock().unwrap() = false;
enum_callback(res)
});
self.call_backend(
ctx,
HostService::graphql_query::<QueryType>(variables, error_message),
enum_callback,
);
}
/*
pub(crate) fn read_file<Cb>(&mut self, file: web_sys::File, callback: Cb) -> Result<()>
where
Cb: FnOnce(FileData) -> <C as Component>::Message + 'static,
{
self.task = AnyTask::ReaderTask(ReaderService::read_file(
file,
self.link.callback_once(callback),
)?);
Ok(())
}
*/
}