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
//! Compute HMAC tag for the given input data
//!
//! <https://developers.yubico.com/YubiHSM2/Commands/Hmac_Data.html>

use super::{Command, Response};
use {Adapter, CommandType, ObjectId, Session, SessionError};

/// Compute an HMAC tag of the given data with the given key ID
pub fn hmac<A, D>(
    session: &mut Session<A>,
    key_id: ObjectId,
    data: D,
) -> Result<HMACTag, SessionError>
where
    A: Adapter,
    D: Into<Vec<u8>>,
{
    session.send_command(HMACDataCommand {
        key_id,
        data: data.into(),
    })
}

/// Request parameters for `command::hmac`
#[derive(Serialize, Deserialize, Debug)]
pub(crate) struct HMACDataCommand {
    /// ID of the HMAC key
    pub key_id: ObjectId,

    /// Data to be authenticated
    pub data: Vec<u8>,
}

impl Command for HMACDataCommand {
    type ResponseType = HMACTag;
}

/// HMAC tags
#[derive(Serialize, Deserialize, Debug)]
pub struct HMACTag(pub Vec<u8>);

impl Response for HMACTag {
    const COMMAND_TYPE: CommandType = CommandType::HMACData;
}

// TODO: use clippy's scoped lints once they work on stable
#[allow(
    unknown_lints,
    renamed_and_removed_lints,
    len_without_is_empty
)]
impl HMACTag {
    /// Create a new HMAC tag
    pub fn new<V: Into<Vec<u8>>>(vec: V) -> HMACTag {
        HMACTag(vec.into())
    }

    /// Unwrap inner byte vector
    pub fn into_vec(self) -> Vec<u8> {
        self.into()
    }

    /// Get length of the tag
    #[inline]
    pub fn len(&self) -> usize {
        self.0.len()
    }

    /// Get slice of the inner byte vector
    #[inline]
    pub fn as_slice(&self) -> &[u8] {
        self.as_ref()
    }
}

impl AsRef<[u8]> for HMACTag {
    fn as_ref(&self) -> &[u8] {
        self.0.as_ref()
    }
}

impl From<Vec<u8>> for HMACTag {
    fn from(vec: Vec<u8>) -> HMACTag {
        HMACTag::new(vec)
    }
}

impl<'a> From<&'a [u8]> for HMACTag {
    fn from(slice: &'a [u8]) -> HMACTag {
        HMACTag::from(slice.to_vec())
    }
}

impl Into<Vec<u8>> for HMACTag {
    fn into(self) -> Vec<u8> {
        self.0
    }
}