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
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
//! This module provides tools and utilities for handling SIMPLE-TLV data as
//! defined in [ISO7816-4][iso7816-4].
//!
//!
//!
//!
//! [iso7816-4]: https://www.iso.org/standard/54550.html
//!
use alloc::vec::Vec;
use core::convert::TryFrom;

use untrusted::{Input, Reader};

use crate::{Result, TlvError};

/// Tag for SIMPLE-TLV data as defined in [ISO7816-4].
/// > The tag field consists of a single byte encoding a tag number from 1 to 254.
/// > The values '00' and 'FF' are invalid for tag fields.
///
/// Tags can be generated using the [`TryFrom`][TryFrom] trait
/// from u8 or hex [str][str].
///
/// [TryFrom]: https://doc.rust-lang.org/std/convert/trait.TryFrom.html
/// [str]:https://doc.rust-lang.org/std/str/
///
/// # Example
/// ```rust
/// use std::convert::TryFrom;
/// use iso7816_tlv::simple::Tag;
/// # use iso7816_tlv::TlvError;
/// # fn main() -> Result<(), TlvError> {
///
/// // get tag from u8 or &str
/// assert!(Tag::try_from("80").is_ok());
/// assert!(Tag::try_from(8u8).is_ok());
/// assert!(Tag::try_from(0x80).is_ok());
/// assert!(Tag::try_from(127).is_ok());
///
/// assert!(Tag::try_from("er").is_err());
/// assert!(Tag::try_from("00").is_err());
/// assert!(Tag::try_from("ff").is_err());
///
/// // get tag as u8
/// let tag = Tag::try_from("80")?;
/// let _tag_as_u8: u8 = tag.into();
/// let _tag_as_u8 = Into::<u8>::into(tag);
/// # Ok(())
/// # }
/// #
/// ```
#[derive(PartialEq, Debug, Clone, Copy)]
pub struct Tag(u8);

impl Tag {
    /// Tries to convert a `u8` into a `Tag`. This is equivalent to the
    /// [`TryFrom`] impl for `u8`, except that this fn is const and can be used
    /// in some contexts that `TryFrom` cannot be used in, for example for
    /// defining constants:
    ///
    /// ```
    /// use iso7816_tlv::simple::Tag;
    ///
    /// const SOME_TAG_CONSTANT: Tag = match Tag::try_from_u8(0x42) {
    ///     Ok(tag) => tag,
    ///     Err(e) => panic!(),
    /// };
    /// ```
    ///
    /// # Errors
    /// This method returns `Err(TlvError::InvalidInput)` if `v` is not a legal
    /// tag (e.g., if v is `0x00` or `0xFF`).
    pub const fn try_from_u8(v: u8) -> Result<Self> {
        match v {
            0x00 | 0xFF => Err(TlvError::InvalidInput),
            _ => Ok(Self(v)),
        }
    }
}

/// Value for SIMPLE-TLV data as defined in [ISO7816-4].
/// > The value field consists of N consecutive bytes.
/// > N may be zero.
/// > In this case there is no value field.
///
/// In this case Value is an empty vector
pub type Value = Vec<u8>;

/// SIMPLE-TLV data object representation.
/// > Each SIMPLE-TLV data object shall consist of two or three consecutive fields:
/// > a mandatory tag field, a mandatory length field and a conditional value field
#[derive(PartialEq, Debug, Clone)]
pub struct Tlv {
    tag: Tag,
    value: Value,
}

// From impl may fail, not the converse
#[allow(clippy::from_over_into)]
impl Into<u8> for Tag {
    fn into(self) -> u8 {
        self.0
    }
}

impl TryFrom<u8> for Tag {
    type Error = TlvError;
    fn try_from(v: u8) -> Result<Self> {
        Self::try_from_u8(v)
    }
}

impl TryFrom<&str> for Tag {
    type Error = TlvError;
    fn try_from(v: &str) -> Result<Self> {
        let x = u8::from_str_radix(v, 16)?;
        Self::try_from(x)
    }
}

impl Tlv {
    /// Create a SIMPLE-TLV data object from valid tag and value.
    /// A value has a maximum size of `65_535` bytes.
    ///
    /// # Errors
    /// Fails with `TlvError::InvalidLength` if value is longer than `65_535` bytes.
    pub fn new(tag: Tag, value: Value) -> Result<Self> {
        if value.len() > 65_536 {
            Err(TlvError::InvalidLength)
        } else {
            Ok(Self { tag, value })
        }
    }

    /// Get SIMPLE-TLV  tag.
    #[must_use]
    pub fn tag(&self) -> Tag {
        self.tag
    }

    /// Get SIMPLE-TLV value length
    #[must_use]
    pub fn length(&self) -> usize {
        self.value.len()
    }

    /// Get SIMPLE-TLV value
    #[must_use]
    pub fn value(&self) -> &[u8] {
        self.value.as_slice()
    }

    /// serializes self into a byte vector.
    #[allow(clippy::cast_possible_truncation)]
    #[must_use]
    pub fn to_vec(&self) -> Vec<u8> {
        let mut ret = vec![self.tag.0];
        let len = self.value.len();
        if len >= 255 {
            ret.push(0xFF);
            ret.push((len >> 8) as u8);
        }
        ret.push(len as u8);
        ret.extend(&self.value);
        ret
    }

    fn read_len(r: &mut Reader) -> Result<usize> {
        let mut ret: usize = 0;
        let x = r.read_byte()?;
        if x == 0xFF {
            for _ in 0..2 {
                let x = r.read_byte()?;
                ret = ret << 8 | usize::from(x);
            }
        } else {
            ret = usize::from(x);
        }
        Ok(ret)
    }

    fn read(r: &mut Reader) -> Result<Self> {
        let tag = Tag::try_from(r.read_byte()?)?;
        let len = Self::read_len(r)?;
        let content = r.read_bytes(len)?;

        Ok(Self {
            tag,
            value: content.as_slice_less_safe().to_vec(),
        })
    }

    /// Parses a byte array into a SIMPLE-TLV structure.
    /// This also returns the unprocessed data.
    /// # Example (parse mulitple tlv in input)
    /// ```rust
    /// use iso7816_tlv::simple::Tlv;
    /// use hex_literal::hex;
    ///
    /// let in_data = hex!(
    ///   "03 01 01"
    ///   "04 01 04"
    ///   "07 07 85 66 C9 6A 14 49 04"
    ///   "01 08 57 5F 93 6E 01 00 00 00"
    ///   "09 01 00");
    /// let mut buf: &[u8] = &in_data;
    /// let mut parsed_manual = Vec::new();
    /// while !buf.is_empty() {
    ///   let (r, remaining) = Tlv::parse(buf);
    ///   buf = remaining;
    ///   if r.map(|res| parsed_manual.push(res)).is_err() {
    ///       break;
    ///   }
    /// }
    /// ```
    pub fn parse(input: &[u8]) -> (Result<Self>, &[u8]) {
        let mut r = Reader::new(Input::from(input));
        (
            Self::read(&mut r),
            r.read_bytes_to_end().as_slice_less_safe(),
        )
    }

    /// Parses a byte array into a vector of SIMPLE-TLV.
    /// # Note
    /// Errors are discarded and parsing stops at first error
    /// Prefer using the [`parse()`](Self::parse()) method and iterate over returned processed data.
    #[must_use]
    pub fn parse_all(input: &[u8]) -> Vec<Self> {
        let mut ret = Vec::new();
        let mut r = Reader::new(Input::from(input));
        while !r.at_end() {
            if Self::read(&mut r).map(|elem| ret.push(elem)).is_err() {
                break;
            }
        }
        ret
    }

    /// Parses a byte array into a SIMPLE-TLV structure.
    /// Input must exactly match a SIMPLE-TLV object.
    /// # Errors
    /// Fails with `TlvError::InvalidInput` if input does not match a SIMPLE-TLV object.
    pub fn from_bytes(input: &[u8]) -> Result<Self> {
        let (r, n) = Self::parse(input);
        if n.is_empty() {
            r
        } else {
            Err(TlvError::InvalidInput)
        }
    }
}

#[cfg(test)]
mod tests {
    use super::*;
    use core::convert::TryFrom;
    use rand_core::{RngCore, SeedableRng};

    #[test]
    fn tag_import() -> Result<()> {
        assert!(Tag::try_from("80").is_ok());
        assert!(Tag::try_from(8_u8).is_ok());
        assert_eq!(0x8_u8, Tag::try_from(8_u8)?.into());

        assert!(Tag::try_from(0x80).is_ok());
        assert_eq!(0x80_u8, Tag::try_from(0x80_u8)?.into());

        assert!(Tag::try_from(127).is_ok());
        assert_eq!(127_u8, Tag::try_from(127_u8)?.into());

        assert!(Tag::try_from("er").is_err());
        assert!(Tag::try_from("00").is_err());
        assert!(Tag::try_from("ff").is_err());
        Ok(())
    }

    #[test]
    fn parse_1() -> Result<()> {
        let in_data = [
            0x84_u8, 0x01, 0x2C, 0x97, 0x00, 0x84, 0x01, 0x24, 0x9E, 0x01, 0x42,
        ];

        let (r, in_data) = Tlv::parse(&in_data);
        assert_eq!(8, in_data.len());
        assert!(r.is_ok());

        let t = r?;
        assert_eq!(0x84_u8, t.tag().into());
        assert_eq!(1, t.length());
        assert_eq!(&[0x2C], t.value());

        let (r, in_data) = Tlv::parse(in_data);
        assert_eq!(6, in_data.len());
        assert!(r.is_ok());

        let t = r?;
        assert_eq!(0x97_u8, t.tag().into());
        assert_eq!(0, t.length());

        let (r, in_data) = Tlv::parse(in_data);
        assert_eq!(3, in_data.len());
        assert!(r.is_ok());

        let t = r?;
        assert_eq!(0x84_u8, t.tag().into());
        assert_eq!(1, t.length());
        assert_eq!(&[0x24], t.value());

        let (r, in_data) = Tlv::parse(in_data);
        assert_eq!(0, in_data.len());
        assert!(r.is_ok());

        let t = r?;
        assert_eq!(0x9E_u8, t.tag().into());
        assert_eq!(1, t.length());
        assert_eq!(&[0x42], t.value());

        Ok(())
    }

    #[test]
    fn parse_multiple() {
        let in_data = hex!(
            "03 01 01"
            "04 01 04"
            "07 07 85 66 C9 6A 14 49 04"
            "01 08 57 5F 93 6E 01 00 00 00"
            "09 01 00"
        );
        let mut buf: &[u8] = &in_data;
        let mut parsed_manual = Vec::new();
        while !buf.is_empty() {
            let (r, remaining) = Tlv::parse(buf);
            buf = remaining;
            let pushed = r.map(|res| parsed_manual.push(res));
            if pushed.is_err() {
                break;
            }
        }
        let parsed_at_once = Tlv::parse_all(&in_data);
        assert_eq!(parsed_manual, parsed_at_once);
    }

    #[test]
    #[allow(clippy::cast_possible_truncation)]
    fn serialize_parse() -> Result<()> {
        let mut rng = rand_xorshift::XorShiftRng::seed_from_u64(10);
        for r in 1_u8..0xFF {
            let v_len = rng.next_u32() % 0xFFFF;
            let v: Value = (0..v_len).map(|_| rng.next_u32() as u8).collect();
            let tlv = Tlv::new(Tag::try_from(r)?, v.clone())?;
            let ser = tlv.to_vec();
            let tlv_2 = Tlv::from_bytes(&ser)?;
            assert_eq!(tlv, tlv_2);

            assert_eq!(r, tlv.tag().into());
            assert_eq!(v, tlv.value());
        }
        Ok(())
    }
}