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
// Copyright 2021 Damir Jelić
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
use std::io::{Cursor, Read};
use thiserror::Error;
use zeroize::Zeroize;
use super::base64_decode;
use crate::{cipher::Cipher, LibolmPickleError};
/// Error type describing failure modes for libolm pickle decoding.
#[derive(Debug, Error)]
pub enum LibolmDecodeError {
/// There was an error while reading from the source of the libolm, usually
/// not enough data was provided.
#[error(transparent)]
IO(#[from] std::io::Error),
/// The encoded usize doesn't fit into the usize of the architecture that is
/// decoding.
#[error(
"The decoded value {0} does not fit into the usize type of this \
architecture"
)]
OutsideUsizeRange(u64),
}
/// Decrypt and decode the given pickle with the given pickle key.
///
/// # Arguments
///
/// * pickle - The base64-encoded and encrypted libolm pickle string
/// * pickle_key - The key that was used to encrypt the libolm pickle
/// * pickle_version - The expected version of the pickle. Unpickling will fail
/// if the version in the pickle doesn't match this one.
pub(crate) fn unpickle_libolm<P: Decode, T: TryFrom<P, Error = LibolmPickleError>>(
pickle: &str,
pickle_key: &[u8],
pickle_version: u32,
) -> Result<T, LibolmPickleError> {
/// Fetch the pickle version from the given pickle source.
fn get_version(source: &[u8]) -> Option<u32> {
// Pickle versions are always u32 encoded as a fixed sized integer in
// big endian encoding.
let version = source.get(0..4)?;
Some(u32::from_be_bytes(version.try_into().ok()?))
}
// libolm pickles are always base64 encoded, so first try to decode.
let decoded = base64_decode(pickle)?;
// The pickle is always encrypted, even if a zero key is given. Try to
// decrypt next.
let cipher = Cipher::new_pickle(pickle_key);
let mut decrypted = cipher.decrypt_pickle(&decoded)?;
// A pickle starts with a version, which will decide how we need to decode.
// We only support the latest version so bail out if it isn't the expected
// pickle version.
let version = get_version(&decrypted).ok_or(LibolmPickleError::MissingVersion)?;
if version == pickle_version {
let mut cursor = Cursor::new(&decrypted);
let pickle = P::decode(&mut cursor)?;
decrypted.zeroize();
pickle.try_into()
} else {
Err(LibolmPickleError::Version(pickle_version, version))
}
}
/// A trait for decoding non-secret values out of a libolm-compatible pickle.
///
/// This is almost exactly the same as what the [bincode] crate provides with
/// the following config:
/// ```rust,compile_fail
/// let config = bincode::config::standard()
/// .with_big_endian()
/// .with_fixed_int_encoding()
/// .skip_fixed_array_length();
/// ```
///
/// The two major differences are:
/// * bincode uses u64 to encode slice lengths
/// * libolm uses u32 to encode slice lengths expect for fallback keys, where an
/// u8 is used
///
/// The following Decode implementations decode primitive types in a libolm
/// compatible way.
///
/// For decoding values which are meant to be secret, see `DecodeSecret`.
///
/// [bincode]: https://github.com/bincode-org/bincode/
pub(crate) trait Decode {
/// Try to read and decode a non-secret value from the given reader which is
/// reading from a libolm-compatible pickle.
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError>
where
Self: Sized;
}
/// Like `Decode`, but for decoding secret values.
///
/// Unlike `Decode`, this trait allocates the buffer for the target value on the
/// heap and returns it in a `Box`. This reduces the number of inadvertent
/// copies made when the value is moved, allowing the value to be properly
/// zeroized.
pub(crate) trait DecodeSecret {
/// Try to read and decode a secret value from the given reader which is
/// reading from a libolm-compatible pickle.
fn decode_secret(reader: &mut impl Read) -> Result<Box<Self>, LibolmDecodeError>
where
Self: Sized;
}
impl Decode for u8 {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let mut buffer = [0u8; 1];
reader.read_exact(&mut buffer)?;
Ok(buffer[0])
}
}
impl Decode for bool {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let value = u8::decode(reader)?;
Ok(value != 0)
}
}
impl Decode for u32 {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let mut buffer = [0u8; 4];
reader.read_exact(&mut buffer)?;
Ok(u32::from_be_bytes(buffer))
}
}
impl Decode for usize {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let size = u32::decode(reader)?;
size.try_into().map_err(|_| LibolmDecodeError::OutsideUsizeRange(size as u64))
}
}
impl<const N: usize> Decode for [u8; N] {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let mut buffer = [0u8; N];
reader.read_exact(&mut buffer)?;
Ok(buffer)
}
}
impl<const N: usize> DecodeSecret for [u8; N] {
fn decode_secret(reader: &mut impl Read) -> Result<Box<Self>, LibolmDecodeError> {
let mut buffer = Box::new([0u8; N]);
reader.read_exact(buffer.as_mut_slice())?;
Ok(buffer)
}
}
impl<T: Decode> Decode for Vec<T> {
fn decode(reader: &mut impl Read) -> Result<Self, LibolmDecodeError> {
let length = usize::decode(reader)?;
let mut buffer = Vec::with_capacity(length);
for _ in 0..length {
let element = T::decode(reader)?;
buffer.push(element);
}
Ok(buffer)
}
}