2017-03-07 19:03:24 +00:00
|
|
|
// need this for custom derivation
|
|
|
|
#[macro_use]
|
|
|
|
extern crate serde_derive;
|
|
|
|
extern crate medallion;
|
|
|
|
|
2018-11-18 15:46:19 +00:00
|
|
|
use medallion::{DefaultPayload, DefaultToken, Header};
|
2017-03-07 19:03:24 +00:00
|
|
|
|
|
|
|
#[derive(Default, Serialize, Deserialize, PartialEq, Debug)]
|
|
|
|
struct Custom {
|
|
|
|
// useful if you want a None to not appear in the serialized JSON
|
|
|
|
#[serde(skip_serializing_if = "Option::is_none")]
|
|
|
|
kid: Option<String>,
|
|
|
|
typ: String,
|
|
|
|
}
|
|
|
|
|
|
|
|
fn new_token(sub: &str, password: &str) -> Option<String> {
|
2017-08-10 13:39:35 +00:00
|
|
|
// dummy auth, in a real application using something like openidconnect, this would be some
|
|
|
|
// specific authentication scheme that takes place first then the JWT is generated as part of
|
|
|
|
// sucess and signed with the provider's private key so other services can validate trust for
|
|
|
|
// the claims in the token
|
2017-03-07 19:03:24 +00:00
|
|
|
if password != "password" {
|
|
|
|
return None;
|
|
|
|
}
|
|
|
|
|
|
|
|
let header = Header {
|
2017-08-10 13:39:35 +00:00
|
|
|
// customer headers generally are about the token itself, like here describing the type of
|
|
|
|
// token, as opposed to claims which are about the authenticated user or some output of
|
|
|
|
// the authentication process
|
2018-11-18 15:46:19 +00:00
|
|
|
headers: Some(Custom {
|
|
|
|
typ: "JWT".into(),
|
|
|
|
..Custom::default()
|
|
|
|
}),
|
2017-03-07 19:03:24 +00:00
|
|
|
..Default::default()
|
|
|
|
};
|
2018-11-18 15:46:19 +00:00
|
|
|
let payload = DefaultPayload {
|
|
|
|
sub: Some(sub.into()),
|
|
|
|
..DefaultPayload::default()
|
|
|
|
};
|
2017-03-07 19:03:24 +00:00
|
|
|
let token = DefaultToken::new(header, payload);
|
|
|
|
|
|
|
|
token.sign(b"secret_key").ok()
|
|
|
|
}
|
|
|
|
|
|
|
|
fn login(token: &str) -> Option<String> {
|
|
|
|
let token = DefaultToken::<Custom>::parse(token).unwrap();
|
|
|
|
|
|
|
|
if token.verify(b"secret_key").unwrap() {
|
|
|
|
Some(token.payload.sub.unwrap())
|
|
|
|
} else {
|
|
|
|
None
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
|
|
|
let token = new_token("Random User", "password").unwrap();
|
|
|
|
|
|
|
|
let logged_in_user = login(&*token).unwrap();
|
|
|
|
|
|
|
|
assert_eq!(logged_in_user, "Random User");
|
|
|
|
}
|