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
//! Authenticated encryption.
//!
//! Sarkara will use [CAESAR competition](http://competitions.cr.yp.to/caesar.html) winner.

mod general;
mod ascon;

use std::{ io, fmt };
use std::error::Error;
pub use self::general::General;
pub use self::ascon::Ascon;


/// Decryption fail.
#[derive(Debug)]
pub enum DecryptFail {
    /// Ciphertext length error.
    LengthError,
    /// Tag authentication fail.
    AuthenticationFail,
    /// Other error.
    Other(io::Error)
}

/// `AeadCipher` trait.
pub trait AeadCipher {
    /// Create a new AeadCipher.
    fn new(key: &[u8]) -> Self;

    /// Key length.
    fn key_length() -> usize;
    /// Tag length.
    fn tag_length() -> usize;
    /// Nonce length.
    fn nonce_length() -> usize;

    /// Set associated data.
    fn with_aad(&mut self, aad: &[u8]) -> &mut Self;

    /// Encryption.
    fn encrypt(&mut self, nonce: &[u8], data: &[u8]) -> Vec<u8>;

    /// Decryption
    ///
    /// ## Fail When:
    /// - Ciphertext length error.
    /// - Tag authentication fail.
    /// - Other error.
    fn decrypt(&mut self, nonce: &[u8], data: &[u8]) -> Result<Vec<u8>, DecryptFail>;
}

impl fmt::Display for DecryptFail {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "{}", self.description())
    }
}

impl Error for DecryptFail {
    fn description(&self) -> &str {
        match *self {
            DecryptFail::LengthError => "Ciphertext length error.",
            DecryptFail::AuthenticationFail => "Tag authentication fail.",
            DecryptFail::Other(ref err) => err.description()
        }
    }
}

impl From<io::Error> for DecryptFail {
    fn from(err: io::Error) -> DecryptFail {
        DecryptFail::Other(err)
    }
}