271 lines
12 KiB
Rust
271 lines
12 KiB
Rust
use actix::Addr;
|
|
use actix_web::{HttpRequest, HttpResponse, Responder, web};
|
|
use actix_web::error::ErrorUnauthorized;
|
|
use askama::Template;
|
|
|
|
use crate::actors::openid_sessions_actor;
|
|
use crate::actors::openid_sessions_actor::{OpenIDSessionsActor, Session, SessionID};
|
|
use crate::constants::{AUTHORIZE_URI, OPEN_ID_ACCESS_TOKEN_LEN, OPEN_ID_ACCESS_TOKEN_TIMEOUT, OPEN_ID_AUTHORIZATION_CODE_LEN, OPEN_ID_AUTHORIZATION_CODE_TIMEOUT, OPEN_ID_REFRESH_TOKEN_LEN, OPEN_ID_REFRESH_TOKEN_TIMEOUT, OPEN_ID_SESSION_LEN, TOKEN_URI};
|
|
use crate::controllers::base_controller::FatalErrorPage;
|
|
use crate::data::app_config::AppConfig;
|
|
use crate::data::client::{ClientID, ClientManager};
|
|
use crate::data::current_user::CurrentUser;
|
|
use crate::data::openid_config::OpenIDConfig;
|
|
use crate::utils::string_utils::rand_str;
|
|
use crate::utils::time::time;
|
|
|
|
pub async fn get_configuration(app_conf: web::Data<AppConfig>) -> impl Responder {
|
|
HttpResponse::Ok().json(OpenIDConfig {
|
|
issuer: app_conf.full_url("/"),
|
|
authorization_endpoint: app_conf.full_url(AUTHORIZE_URI),
|
|
token_endpoint: app_conf.full_url(TOKEN_URI),
|
|
userinfo_endpoint: app_conf.full_url("openid/userinfo"),
|
|
jwks_uri: app_conf.full_url("openid/jwks_uri"),
|
|
scopes_supported: vec!["openid", "profile", "email"],
|
|
response_types_supported: vec!["code", "id_token", "token id_token"],
|
|
subject_types_supported: vec!["public"],
|
|
id_token_signing_alg_values_supported: vec!["RS256"],
|
|
token_endpoint_auth_methods_supported: vec!["client_secret_post", "client_secret_basic"],
|
|
claims_supported: vec!["sub", "exp", "name", "given_name", "family_name", "email"],
|
|
})
|
|
}
|
|
|
|
#[derive(serde::Deserialize, Debug)]
|
|
pub struct AuthorizeQuery {
|
|
/// REQUIRED. OpenID Connect requests MUST contain the openid scope value. If the openid scope value is not present, the behavior is entirely unspecified. Other scope values MAY be present. Scope values used that are not understood by an implementation SHOULD be ignored. See Sections 5.4 and 11 for additional scope values defined by this specification.
|
|
scope: String,
|
|
|
|
/// REQUIRED. OAuth 2.0 Response Type value that determines the authorization processing flow to be used, including what parameters are returned from the endpoints used. When using the Authorization Code Flow, this value is code.
|
|
response_type: String,
|
|
|
|
/// REQUIRED. OAuth 2.0 Client Identifier valid at the Authorization Server.
|
|
client_id: ClientID,
|
|
|
|
/// REQUIRED. Redirection URI to which the response will be sent. This URI MUST exactly match one of the Redirection URI values for the Client pre-registered at the OpenID Provider, with the matching performed as described in Section 6.2.1 of [RFC3986] (Simple String Comparison). When using this flow, the Redirection URI SHOULD use the https scheme; however, it MAY use the http scheme, provided that the Client Type is confidential, as defined in Section 2.1 of OAuth 2.0, and provided the OP allows the use of http Redirection URIs in this case. The Redirection URI MAY use an alternate scheme, such as one that is intended to identify a callback into a native application.
|
|
redirect_uri: String,
|
|
|
|
/// RECOMMENDED. Opaque value used to maintain state between the request and the callback. Typically, Cross-Site Request Forgery (CSRF, XSRF) mitigation is done by cryptographically binding the value of this parameter with a browser cookie.
|
|
state: String,
|
|
|
|
/// OPTIONAL. String value used to associate a Client session with an ID Token, and to mitigate replay attacks. The value is passed through unmodified from the Authentication Request to the ID Token. Sufficient entropy MUST be present in the nonce values used to prevent attackers from guessing values.
|
|
nonce: Option<String>,
|
|
|
|
/// OPTIONAL - https://ldapwiki.com/wiki/Code_challenge_method
|
|
code_challenge: Option<String>,
|
|
code_challenge_method: Option<String>,
|
|
}
|
|
|
|
fn error_redirect(query: &AuthorizeQuery, error: &str, description: &str) -> HttpResponse {
|
|
log::warn!("Failed to process sign in request ({} => {}): {:?}", error, description, query);
|
|
HttpResponse::Found()
|
|
.append_header(
|
|
("Location", format!(
|
|
"{}?error={}?error_description={}&state={}",
|
|
query.redirect_uri,
|
|
urlencoding::encode(error),
|
|
urlencoding::encode(description),
|
|
urlencoding::encode(&query.state)
|
|
))
|
|
)
|
|
.finish()
|
|
}
|
|
|
|
pub async fn authorize(user: CurrentUser, query: web::Query<AuthorizeQuery>,
|
|
clients: web::Data<ClientManager>,
|
|
sessions: web::Data<Addr<OpenIDSessionsActor>>) -> impl Responder {
|
|
let client = match clients.find_by_id(&query.client_id) {
|
|
None => {
|
|
return HttpResponse::BadRequest().body(FatalErrorPage {
|
|
message: "Client is invalid!"
|
|
}.render().unwrap());
|
|
}
|
|
Some(c) => c
|
|
};
|
|
|
|
let redirect_uri = query.redirect_uri.trim().to_string();
|
|
if client.redirect_uri != redirect_uri {
|
|
return HttpResponse::BadRequest().body(FatalErrorPage {
|
|
message: "Redirect URI is invalid!"
|
|
}.render().unwrap());
|
|
}
|
|
|
|
if !query.scope.split(' ').any(|x| x == "openid") {
|
|
return error_redirect(&query, "invalid_request", "openid scope missing!");
|
|
}
|
|
|
|
if !query.response_type.eq("code") {
|
|
return error_redirect(&query, "invalid_request", "Only code response type is supported!");
|
|
}
|
|
|
|
if query.state.is_empty() {
|
|
return error_redirect(&query, "invalid_request", "State is empty!");
|
|
}
|
|
|
|
let code_challenge = match (query.0.code_challenge.clone(), query.0.code_challenge_method.clone()) {
|
|
(Some(chal), Some(meth)) => {
|
|
if !meth.eq("S256") {
|
|
return error_redirect(&query, "invalid_request",
|
|
"Only S256 code challenge is supported!");
|
|
}
|
|
Some((chal, meth))
|
|
}
|
|
(_, _) => None
|
|
};
|
|
|
|
// Check if user is authorized to access the application
|
|
if !user.can_access_app(&client.id) {
|
|
return error_redirect(&query, "invalid_request",
|
|
"User is not authorized to access this application!");
|
|
}
|
|
|
|
// Save all authentication information in memory
|
|
let session = Session {
|
|
session_id: SessionID(rand_str(OPEN_ID_SESSION_LEN)),
|
|
client: client.id,
|
|
user: user.uid.clone(),
|
|
redirect_uri,
|
|
authorization_code: rand_str(OPEN_ID_AUTHORIZATION_CODE_LEN),
|
|
authorization_code_expire_at: time() + OPEN_ID_AUTHORIZATION_CODE_TIMEOUT,
|
|
authorization_code_used: false,
|
|
access_token: rand_str(OPEN_ID_ACCESS_TOKEN_LEN),
|
|
access_token_expire_at: time() + OPEN_ID_ACCESS_TOKEN_TIMEOUT,
|
|
refresh_token: rand_str(OPEN_ID_REFRESH_TOKEN_LEN),
|
|
refresh_token_expire_at: time() + OPEN_ID_REFRESH_TOKEN_TIMEOUT,
|
|
nonce: query.0.nonce,
|
|
code_challenge,
|
|
};
|
|
sessions.send(openid_sessions_actor::PushNewSession(session.clone())).await.unwrap();
|
|
|
|
log::trace!("New OpenID session: {:#?}", session);
|
|
|
|
HttpResponse::Found()
|
|
.append_header(("Location", format!(
|
|
"{}?state={}&session_sate=&code={}",
|
|
session.redirect_uri,
|
|
urlencoding::encode(&query.0.state),
|
|
urlencoding::encode(&session.authorization_code)
|
|
))).finish()
|
|
}
|
|
|
|
#[derive(Debug, serde::Deserialize)]
|
|
pub struct TokenQuery {
|
|
grant_type: String,
|
|
client_id: Option<ClientID>,
|
|
client_secret: Option<String>,
|
|
redirect_uri: String,
|
|
code: String,
|
|
}
|
|
|
|
#[derive(Debug, serde::Serialize)]
|
|
pub struct TokenResponse {
|
|
access_token: String,
|
|
token_type: &'static str,
|
|
refresh_token: String,
|
|
expires_in: u64,
|
|
id_token: String,
|
|
}
|
|
|
|
pub async fn token(req: HttpRequest,
|
|
query: web::Form<TokenQuery>,
|
|
clients: web::Data<ClientManager>,
|
|
sessions: web::Data<Addr<OpenIDSessionsActor>>) -> actix_web::Result<HttpResponse> {
|
|
|
|
// Extraction authentication information
|
|
let authorization_header = req.headers().get("authorization");
|
|
let (client_id, client_secret) = match (&query.client_id, &query.client_secret, authorization_header) {
|
|
// post authentication
|
|
(Some(client_id), Some(client_secret), None) => {
|
|
(client_id.clone(), client_secret.to_string())
|
|
}
|
|
|
|
// Basic authentication
|
|
(None, None, Some(v)) => {
|
|
let token = match v.to_str().unwrap_or_default().strip_prefix("Basic ") {
|
|
None => {
|
|
log::warn!("Token request failed: Authorization header does not start with 'Basic '! => got '{:#?}'", v);
|
|
return Ok(HttpResponse::Unauthorized().body("Authorization header does not start with 'Basic '"));
|
|
}
|
|
Some(v) => v
|
|
};
|
|
|
|
let decode = String::from_utf8_lossy(&match base64::decode(token) {
|
|
Ok(d) => d,
|
|
Err(e) => {
|
|
log::warn!("Failed to decode authorization header! {:?}", e);
|
|
return Ok(HttpResponse::InternalServerError().body("Failed to decode authorization header!"));
|
|
}
|
|
}).to_string();
|
|
|
|
match decode.split_once(':') {
|
|
None => (ClientID(decode), "".to_string()),
|
|
Some((id, secret)) => (ClientID(id.to_string()), secret.to_string())
|
|
}
|
|
}
|
|
|
|
_ => {
|
|
log::warn!("Token request failed: Unknown client authentication method! {:#?}", query.0);
|
|
return Ok(HttpResponse::BadRequest().body("Authentication method unknown!"));
|
|
}
|
|
};
|
|
|
|
let client = clients
|
|
.find_by_id(&client_id)
|
|
.ok_or_else(|| ErrorUnauthorized("Client not found"))?;
|
|
|
|
if !client.secret.eq(&client_secret) {
|
|
log::warn!("Token request failed: client secret is invalid! {:#?}", query.0);
|
|
return Ok(HttpResponse::Unauthorized().body("Client secret is invalid!"));
|
|
}
|
|
|
|
if query.grant_type != "authorization_code" {
|
|
log::warn!("Token request failed: Grant type unsupported! {:#?}", query.0);
|
|
return Ok(HttpResponse::BadRequest().body("Grant type unsupported!"));
|
|
}
|
|
|
|
let session: Session = match sessions
|
|
.send(openid_sessions_actor::FindSessionByAuthorizationCode(query.code.clone()))
|
|
.await.unwrap()
|
|
{
|
|
None => {
|
|
log::warn!("Token request failed: Session not found! {:#?}", query.0);
|
|
return Ok(HttpResponse::NotFound().body("Session not found!"));
|
|
}
|
|
Some(s) => s,
|
|
};
|
|
|
|
if session.client != client.id {
|
|
log::warn!("Token request failed: Client mismatch! {:#?}", query.0);
|
|
return Ok(HttpResponse::Unauthorized().body("Client mismatch!"));
|
|
}
|
|
|
|
if session.redirect_uri != query.redirect_uri {
|
|
log::warn!("Token request failed: Invalid redirect URI! {:#?}", query.0);
|
|
return Ok(HttpResponse::Unauthorized().body("Invalid redirect URI!"));
|
|
}
|
|
|
|
if session.authorization_code_expire_at < time() {
|
|
log::warn!("Token request failed: Authorization code expired! {:#?}", query.0);
|
|
return Ok(HttpResponse::Unauthorized().body("Authorization code expired!"));
|
|
}
|
|
|
|
if session.authorization_code_used {
|
|
log::warn!("Token request failed: Authorization already used! {:#?}", query.0);
|
|
return Ok(HttpResponse::Unauthorized().body("Authorization already used!"));
|
|
}
|
|
|
|
// Mark session as used
|
|
sessions.send(openid_sessions_actor::MarkAuthorizationCodeUsed(session.authorization_code))
|
|
.await.unwrap();
|
|
|
|
|
|
Ok(HttpResponse::Ok()
|
|
.append_header(("Cache-Control", "no-store"))
|
|
.append_header(("Pragam", "no-cache"))
|
|
.json(TokenResponse {
|
|
access_token: session.access_token,
|
|
token_type: "Bearer",
|
|
refresh_token: session.refresh_token,
|
|
expires_in: session.access_token_expire_at - time(),
|
|
id_token: session.session_id.0,
|
|
}))
|
|
} |