lldap/app/src/api.rs

87 lines
3.2 KiB
Rust
Raw Normal View History

use crate::cookies::set_cookie;
2021-05-13 17:33:57 +00:00
use anyhow::{anyhow, Result};
use lldap_model::*;
use yew::callback::Callback;
use yew::format::Json;
2021-05-13 17:33:57 +00:00
use yew::services::fetch::{Credentials, FetchOptions, FetchService, FetchTask, Request, Response};
#[derive(Default)]
pub struct HostService {}
2021-05-13 17:33:57 +00:00
fn get_default_options() -> FetchOptions {
FetchOptions {
credentials: Some(Credentials::SameOrigin),
..FetchOptions::default()
}
}
fn get_claims_from_jwt(jwt: &str) -> Result<JWTClaims> {
use jwt::*;
let token = Token::<header::Header, JWTClaims, token::Unverified>::parse_unverified(jwt)?;
Ok(token.claims().clone())
}
impl HostService {
pub fn list_users(
request: ListUsersRequest,
callback: Callback<Result<Vec<User>>>,
) -> Result<FetchTask> {
2021-05-13 17:33:57 +00:00
let url = "/api/users";
let handler = move |response: Response<Result<String>>| {
let (meta, maybe_data) = response.into_parts();
let message = maybe_data
.map_err(|e| anyhow!("Could not fetch: {}", e))
.and_then(|data| {
2021-05-13 17:33:57 +00:00
if meta.status.is_success() {
serde_json::from_str(&data)
.map_err(|e| anyhow!("Could not parse response: {}", e))
2021-05-13 17:33:57 +00:00
} else {
Err(anyhow!("[{}]: {}", meta.status, data))
2021-05-13 17:33:57 +00:00
}
});
callback.emit(message)
2021-05-13 17:33:57 +00:00
};
let request = Request::post(url)
.header("Content-Type", "application/json")
.body(Json(&request))?;
FetchService::fetch_with_options(request, get_default_options(), handler.into())
}
pub fn authenticate(
request: BindRequest,
callback: Callback<Result<String>>,
) -> Result<FetchTask> {
let url = "/api/authorize";
let handler = move |response: Response<Result<String>>| {
let (meta, maybe_data) = response.into_parts();
let message = maybe_data
.map_err(|e| anyhow!("Could not reach authentication server: {}", e))
.and_then(|data| {
2021-05-13 17:33:57 +00:00
if meta.status.is_success() {
get_claims_from_jwt(&data)
.map_err(|e| anyhow!("Could not parse response: {}", e))
.and_then(|jwt_claims| {
set_cookie("user_id", &jwt_claims.user, &jwt_claims.exp)
.map(|_| jwt_claims.user.clone())
.map_err(|e| anyhow!("Error clearing cookie: {}", e))
})
2021-05-13 17:33:57 +00:00
} else if meta.status == 401 {
Err(anyhow!("Invalid username or password"))
2021-05-13 17:33:57 +00:00
} else {
Err(anyhow!(
2021-05-13 17:33:57 +00:00
"Could not authenticate: [{}]: {}",
meta.status,
data
))
}
});
callback.emit(message)
2021-05-13 17:33:57 +00:00
};
let request = Request::post(url)
.header("Content-Type", "application/json")
2021-05-13 17:33:57 +00:00
.body(Json(&request))?;
FetchService::fetch_with_options(request, get_default_options(), handler.into())
}
}