Files
adler32
backtrace
backtrace_sys
base64
bigtable
bitflags
byteorder
bytes
cfg_if
cookie
cookie_store
crc32fast
crossbeam_deque
crossbeam_epoch
crossbeam_queue
crossbeam_utils
curl
curl_sys
dtoa
either
encoding_rs
error_chain
failure
failure_derive
flate2
fnv
foreign_types
foreign_types_shared
futures
futures_cpupool
goauth
h2
http
http_body
httparse
hyper
hyper_tls
idna
indexmap
iovec
itoa
lazy_static
libc
libz_sys
lock_api
log
matches
maybe_uninit
memoffset
mime
mime_guess
miniz_oxide
mio
native_tls
net2
num_cpus
num_traits
openssl
openssl_probe
openssl_sys
parking_lot
parking_lot_core
percent_encoding
proc_macro2
protobuf
protobuf_json
publicsuffix
quote
rand
rand_chacha
rand_core
rand_hc
rand_isaac
rand_jitter
rand_os
rand_pcg
rand_xorshift
regex
regex_syntax
reqwest
rustc_demangle
rustc_serialize
ryu
scopeguard
serde
serde_codegen_internals
serde_derive
serde_json
serde_urlencoded
slab
smallvec
smpl_jwt
socket2
string
syn
synom
synstructure
time
tokio
tokio_buf
tokio_current_thread
tokio_executor
tokio_io
tokio_reactor
tokio_sync
tokio_tcp
tokio_threadpool
tokio_timer
try_from
try_lock
unicase
unicode_bidi
unicode_normalization
unicode_xid
url
uuid
want
  1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
#![allow(dead_code)]

extern crate serde;
#[macro_use]
extern crate serde_derive;
extern crate serde_json;
extern crate openssl;
extern crate time;
extern crate log;
extern crate base64;

pub mod error;

use std::*;
use std::str::FromStr;
use openssl::sign::Signer;
use openssl::pkey::{PKey, Private};
use openssl::hash::MessageDigest;
use base64::encode_config;

use serde::ser::Serialize;

use std::io::prelude::*;
use std::fs::File;

use error::JwtErr;

#[derive(Debug)]
pub enum Algorithm {
    HS256,
    RS256,
}

impl Algorithm {
    fn signer(&self) -> openssl::hash::MessageDigest {
        match *self {
            Algorithm::HS256 => unimplemented!(),
            Algorithm::RS256 => MessageDigest::sha256(),
        }
    }
}

impl fmt::Display for Algorithm {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        match *self {
            Algorithm::HS256 => write!(f, "HS256"),
            Algorithm::RS256 => write!(f, "RS256")
        }
    }
}

#[derive(Serialize, Deserialize, Debug)]
pub struct JwtHeader {
    alg: String,
    typ: String,
}

impl fmt::Display for JwtHeader {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "JwtHeader: {}", serde_json::to_string_pretty(&self).unwrap())
    }
}

pub struct RSAKey {
    key: PKey<Private>
}

impl RSAKey {
    pub fn from_pem(filename: &str) -> Result<Self, JwtErr> {
        Ok(RSAKey { key: Self::read_keyfile(filename)? })
    }

    pub fn from_pkey(pkey: PKey<Private>) -> Result<Self, JwtErr> {
        Ok(RSAKey { key: pkey })
    }

    fn read_keyfile(keyfile: &str) -> Result<PKey<Private>, JwtErr> {
        let mut f = File::open(keyfile)?;
        let mut buffer = Vec::new();
        let _ = f.read_to_end(&mut buffer);
        Ok(PKey::private_key_from_pem(&buffer)?)
    }

    fn produce_key(&self) -> &PKey<Private> {
        &self.key
    }
}

impl FromStr for RSAKey {
    type Err = JwtErr;
    fn from_str(s: &str) -> Result<Self, JwtErr> {
        Ok(RSAKey { key: PKey::private_key_from_pem(s.as_bytes())? })
    }
}

pub struct Jwt<T> {
    body: T,
    pkey: RSAKey,
    algo: Algorithm,
}

impl<T: serde::ser::Serialize> fmt::Display for Jwt<T> {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "Jwt: \n header: {} \n body: {}, \n algorithm: {}",
               serde_json::to_string_pretty(&self.header().unwrap()).unwrap(),
               serde_json::to_string_pretty(&self.body).unwrap(),
               &self.algo)
    }
}

/// Jwt can be finalized to produce an encoded and signed string representation
///
/// ### Example
///
/// ```
///
/// #[macro_use]
/// extern crate serde_derive;
/// extern crate serde;
/// extern crate smpl_jwt;
///
/// use serde::Serialize;
/// use smpl_jwt::{Jwt, RSAKey};
///
/// fn main() {
///   #[derive(Serialize)]
///   struct ExampleStruct {
///     field: String
///   }
///
///   let rsa_key = match RSAKey::from_pem("random_rsa_for_testing") {
///     Ok(x) => x,
///     Err(e) => panic!("{}", e)
///   };
///
///   let jwt = Jwt::new(ExampleStruct{field: String::from("test")},
///                     rsa_key,
///                     None);
///
///   println!("{}", jwt);
/// }
/// ```

impl<T> Jwt<T> where
    T: Serialize {
    fn input(&self) -> Result<String, JwtErr> {
        let header = &self.encode_header()?;
        let body = Self::encode(&self.body)?;
        Ok(format!("{}.{}", header, body))
    }

    fn encode(param: &T) -> Result<String, JwtErr> {
        Ok(encode_config(serde_json::to_string(&param)?.as_bytes(), base64::URL_SAFE).to_owned())
    }

    fn encode_header(&self) -> Result<String, JwtErr> {
        Ok(encode_config(serde_json::to_string(&self.header()?)?.as_bytes(), base64::URL_SAFE).to_owned())
    }

    fn header(&self) -> Result<JwtHeader, JwtErr> {
        Ok(JwtHeader {
            alg: self.algo.to_string(),
            typ: "JWT".to_string(),
        })
    }

    fn sign(&self) -> Result<String, JwtErr> {
        let pkey = self.pkey.produce_key();
        let mut signer = Signer::new(self.algo.signer(), pkey)?;
        signer.update(self.input()?.as_bytes())?;
        let signed: Vec<u8> = signer.sign_to_vec()?;
        Ok(encode_config(&signed, base64::URL_SAFE))
    }

    pub fn finalize(&self) -> Result<String, JwtErr> {
        Ok(format!("{}.{}", &self.input()?, &self.sign()?))
    }

    pub fn new(body: T, jwt_key: RSAKey, algo: Option<Algorithm>) -> Jwt<T> {
        Jwt {
            body,
            pkey: jwt_key,
            algo: algo.unwrap_or(Algorithm::RS256),
        }
    }
}

#[test]
fn test_sign() {
    //  Verified with https://jwt.io/

    #[derive(Serialize)]
    struct TestBody {
        serialize: String
    }

    let rsa_key = match RSAKey::from_pem("random_rsa_for_testing") {
        Ok(x) => x,
        Err(e) => panic!("{}", e)
    };

    let jwt = Jwt::new(TestBody { serialize: "me".to_string() },
                       rsa_key,
                       None);
    assert_eq!(jwt.finalize().unwrap(), "eyJhbGciOiJSUzI1NiIsInR5cCI6IkpXVCJ9.eyJzZXJpYWxpemUiOiJtZSJ9.nJIFpAKQWE5Mt1TQS2eDqoLVANJf809pCegB7herGYZ0Lqb1eV9MAv_Cz6lyaq87v1StC48e-U3Lp6oVezsQ-mUg5h92hFEEkzKIoJOYE6N-BEaVuy73Qf2s7c6W3ZdD0U3oR6PiEO9-FnB5bsiQlIfgzykmDUSjo2CmYpAypF9sT43by4tvSMwUwNZ_NuTI3ASPqdk5wKAkrCOJjayhyKZR7KrqeUmZdqS0Un8NSpr53Zd6SdCYTpDSGsKF_mwYV309q7zAbzRhWN-YTYsdB6Em5QoXo0ZUuNIigfprOQP1MVFvznbeonQvu6OHzJMIFhhUip8UCFNp6wzsqm4syQ==");
}