123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430 |
- //! # Redis Value
- //!
- //! All redis internal data structures and values are abstracted in this mod.
- pub mod checksum;
- pub mod cursor;
- pub mod expiration;
- pub mod float;
- pub mod typ;
- use crate::{error::Error, value_try_from, value_vec_try_from};
- use bytes::{Bytes, BytesMut};
- use redis_zero_protocol_parser::Value as ParsedValue;
- use sha2::{Digest, Sha256};
- use std::{
- collections::{HashMap, HashSet, VecDeque},
- convert::{TryFrom, TryInto},
- str::FromStr,
- };
- use self::typ::ValueTyp;
- /// Redis Value.
- ///
- /// This enum represents all data structures that are supported by Redis
- #[derive(Debug, PartialEq, Clone)]
- pub enum Value {
- /// Hash. This type cannot be serialized
- Hash(HashMap<Bytes, Bytes>),
- /// List. This type cannot be serialized
- List(VecDeque<checksum::Value>),
- /// Set. This type cannot be serialized
- Set(HashSet<Bytes>),
- /// Vector/Array of values
- Array(Vec<Value>),
- /// Bytes/Strings/Binary data
- Blob(Bytes),
- /// bytes/String/Binary but that has been modified by bit operations, this
- /// is not the default state, Blob and BlowRw are the same in practice, but
- /// in order to a Value to be BlowRw it should have been modified by a bit
- /// update operation
- BlobRw(BytesMut),
- /// String. This type does not allow new lines
- String(String),
- /// An error
- Err(String, String),
- /// Integer
- Integer(i64),
- /// Boolean
- Boolean(bool),
- /// Float number
- Float(f64),
- /// Big number
- BigInteger(i128),
- /// Null
- Null,
- /// The command has been Queued
- Queued,
- /// Ok
- Ok,
- /// Empty response that is not send to the client
- Ignore,
- }
- impl Default for Value {
- fn default() -> Self {
- Self::Null
- }
- }
- /// Value debug struct
- #[derive(Debug)]
- pub struct VDebug {
- /// Value encoding
- pub encoding: &'static str,
- /// Length of serialized value
- pub serialize_len: usize,
- }
- impl From<VDebug> for Value {
- fn from(v: VDebug) -> Self {
- Value::Blob(format!(
- "Value at:0x6000004a8840 refcount:1 encoding:{} serializedlength:{} lru:13421257 lru_seconds_idle:367",
- v.encoding, v.serialize_len
- ).into()
- )
- }
- }
- impl Value {
- /// Creates a new Redis value from a stream of bytes
- pub fn new(value: &[u8]) -> Self {
- Self::Blob(Bytes::copy_from_slice(value))
- }
- /// Returns the value type
- pub fn typ(&self) -> ValueTyp {
- match self {
- Self::Hash(_) => ValueTyp::Hash,
- Self::List(_) => ValueTyp::List,
- Self::Set(_) => ValueTyp::Set,
- _ => ValueTyp::String,
- }
- }
- /// Returns the internal encoding of the redis
- pub fn encoding(&self) -> &'static str {
- match self {
- Self::Hash(_) | Self::Set(_) => "hashtable",
- Self::List(_) => "linkedlist",
- Self::Array(_) => "vector",
- _ => "embstr",
- }
- }
- /// Is the current value an error?
- pub fn is_err(&self) -> bool {
- matches!(self, Self::Err(..))
- }
- /// Return debug information for the type
- pub fn debug(&self) -> VDebug {
- let bytes: Vec<u8> = self.into();
- VDebug {
- encoding: self.encoding(),
- serialize_len: bytes.len(),
- }
- }
- /// Returns the hash of the value
- pub fn digest(&self) -> Vec<u8> {
- let bytes: Vec<u8> = self.into();
- let mut hasher = Sha256::new();
- hasher.update(&bytes);
- hasher.finalize().to_vec()
- }
- }
- impl From<&Value> for Vec<u8> {
- fn from(value: &Value) -> Vec<u8> {
- match value {
- Value::Ignore => b"".to_vec(),
- Value::Null => b"*-1\r\n".to_vec(),
- Value::Array(x) => {
- let mut s: Vec<u8> = format!("*{}\r\n", x.len()).into();
- for i in x.iter() {
- let b: Vec<u8> = i.into();
- s.extend(b);
- }
- s
- }
- Value::Integer(x) => format!(":{}\r\n", x).into(),
- Value::BigInteger(x) => format!("({}\r\n", x).into(),
- Value::Float(x) => format!(",{}\r\n", x).into(),
- Value::BlobRw(x) => {
- let s = format!("${}\r\n", x.len());
- let mut s: BytesMut = s.as_bytes().into();
- s.extend_from_slice(x);
- s.extend_from_slice(b"\r\n");
- s.to_vec()
- }
- Value::Blob(x) => {
- let s = format!("${}\r\n", x.len());
- let mut s: BytesMut = s.as_bytes().into();
- s.extend_from_slice(x);
- s.extend_from_slice(b"\r\n");
- s.to_vec()
- }
- Value::Err(x, y) => format!("-{} {}\r\n", x, y).into(),
- Value::String(x) => format!("+{}\r\n", x).into(),
- Value::Boolean(x) => {
- if *x {
- "#t\r\n".into()
- } else {
- "#f\r\n".into()
- }
- }
- Value::Queued => "+QUEUED\r\n".into(),
- Value::Ok => "+OK\r\n".into(),
- _ => b"-WRONGTYPE Operation against a key holding the wrong kind of value\r\n".to_vec(),
- }
- }
- }
- impl TryFrom<&Value> for i64 {
- type Error = Error;
- fn try_from(val: &Value) -> Result<Self, Self::Error> {
- match val {
- Value::BigInteger(x) => (*x).try_into().map_err(|_| Error::NotANumber),
- Value::Integer(x) => Ok(*x),
- Value::Blob(x) => bytes_to_number::<i64>(x),
- Value::String(x) => x.parse::<i64>().map_err(|_| Error::NotANumber),
- _ => Err(Error::NotANumber),
- }
- }
- }
- impl TryFrom<&Value> for f64 {
- type Error = Error;
- fn try_from(val: &Value) -> Result<Self, Self::Error> {
- match val {
- Value::Float(x) => Ok(*x),
- Value::Blob(x) => bytes_to_number::<f64>(x),
- Value::String(x) => x.parse::<f64>().map_err(|_| Error::NotANumber),
- _ => Err(Error::NotANumber),
- }
- }
- }
- /// Tries to convert bytes data into a number
- ///
- /// If the conversion fails a Error::NotANumber error is returned.
- #[inline]
- pub fn bytes_to_number<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
- let x = String::from_utf8_lossy(bytes);
- x.parse::<T>().map_err(|_| Error::NotANumber)
- }
- /// Tries to convert bytes data into an integer number
- #[inline]
- pub fn bytes_to_int<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
- let x = String::from_utf8_lossy(bytes);
- x.parse::<T>()
- .map_err(|_| Error::NotANumberType("an integer".to_owned()))
- }
- impl<'a> From<&ParsedValue<'a>> for Value {
- fn from(value: &ParsedValue) -> Self {
- match value {
- ParsedValue::String(x) => Self::String((*x).to_string()),
- ParsedValue::Blob(x) => Self::new(x),
- ParsedValue::Array(x) => Self::Array(x.iter().map(|x| x.into()).collect()),
- ParsedValue::Boolean(x) => Self::Boolean(*x),
- ParsedValue::BigInteger(x) => Self::BigInteger(*x),
- ParsedValue::Integer(x) => Self::Integer(*x),
- ParsedValue::Float(x) => Self::Float(*x),
- ParsedValue::Error(x, y) => Self::Err((*x).to_string(), (*y).to_string()),
- ParsedValue::Null => Self::Null,
- }
- }
- }
- value_try_from!(f64, Value::Float);
- value_try_from!(i32, Value::Integer);
- value_try_from!(u32, Value::Integer);
- value_try_from!(i64, Value::Integer);
- value_try_from!(i128, Value::BigInteger);
- impl From<usize> for Value {
- fn from(value: usize) -> Value {
- Value::Integer(value as i64)
- }
- }
- impl From<Value> for Vec<u8> {
- fn from(value: Value) -> Vec<u8> {
- (&value).into()
- }
- }
- impl<T: Into<Value>> From<Option<T>> for Value {
- fn from(value: Option<T>) -> Self {
- if let Some(v) = value {
- v.into()
- } else {
- Value::Null
- }
- }
- }
- impl From<&Bytes> for Value {
- fn from(v: &Bytes) -> Self {
- Value::new(v)
- }
- }
- impl From<&str> for Value {
- fn from(value: &str) -> Self {
- Value::Blob(Bytes::copy_from_slice(value.as_bytes()))
- }
- }
- impl From<HashMap<Bytes, Bytes>> for Value {
- fn from(value: HashMap<Bytes, Bytes>) -> Value {
- Value::Hash(value)
- }
- }
- impl From<VecDeque<checksum::Value>> for Value {
- fn from(value: VecDeque<checksum::Value>) -> Value {
- Value::List(value)
- }
- }
- impl From<HashSet<Bytes>> for Value {
- fn from(value: HashSet<Bytes>) -> Value {
- Value::Set(value)
- }
- }
- value_vec_try_from!(&str);
- impl From<String> for Value {
- fn from(value: String) -> Value {
- value.as_str().into()
- }
- }
- impl From<Vec<Value>> for Value {
- fn from(value: Vec<Value>) -> Value {
- Value::Array(value)
- }
- }
- impl TryInto<Vec<Value>> for Value {
- type Error = Error;
- fn try_into(self) -> Result<Vec<Value>, Self::Error> {
- match self {
- Self::Array(x) => Ok(x),
- _ => Err(Error::Internal),
- }
- }
- }
- #[cfg(test)]
- mod test {
- use super::*;
- use paste::paste;
- macro_rules! serialize_deserialize {
- ($name:ty, $x:expr, $str:expr) => {
- paste! {
- #[test]
- fn [<serialize_and_deserialize $name>]() {
- let raw_bytes: Vec<u8> = $x.into();
- let parsed: ParsedValue = redis_zero_protocol_parser::parse(&raw_bytes).unwrap().1;
- assert_eq!(Value::String($str.to_owned()), (&parsed).into());
- }
- }
- };
- ($name:ty, $x:expr) => {
- paste! {
- #[test]
- fn [<serialize_and_deserialize $name>]() {
- let raw_bytes: Vec<u8> = $x.into();
- let parsed: ParsedValue = redis_zero_protocol_parser::parse(&raw_bytes).unwrap().1;
- assert_eq!($x, (&parsed).into());
- }
- }
- };
- }
- macro_rules! try_into {
- ($name:ty, $x:expr, $ty:ty, $expected:expr) => {
- paste! {
- #[test]
- fn [<try_into_ $ty _ $name>]() {
- let val: Result<$ty, _> = (&$x).try_into();
- assert_eq!(val, $expected);
- }
- }
- };
- }
- serialize_deserialize!(null, Value::Null);
- serialize_deserialize!(blob, Value::Blob("test".into()));
- serialize_deserialize!(int, Value::Integer(1.into()));
- serialize_deserialize!(bigint, Value::BigInteger(1.into()));
- serialize_deserialize!(_true, Value::Boolean(true));
- serialize_deserialize!(_false, Value::Boolean(false));
- serialize_deserialize!(float, Value::Float(1.2));
- serialize_deserialize!(string, Value::String("test".into()));
- serialize_deserialize!(array, Value::Array(vec!["test".into(), Value::Float(1.2)]));
- serialize_deserialize!(err, Value::Err("foo".to_owned(), "bar".to_owned()));
- serialize_deserialize!(queued, Value::Queued, "QUEUED");
- serialize_deserialize!(ok, Value::Ok, "OK");
- try_into!(biginteger, Value::BigInteger(1), i64, Ok(1));
- try_into!(integer, Value::Integer(2), i64, Ok(2));
- try_into!(blob, Value::Blob("3".into()), i64, Ok(3));
- try_into!(string, Value::String("4".into()), i64, Ok(4));
- try_into!(ok, Value::Ok, i64, Err(Error::NotANumber));
- try_into!(
- string_1,
- Value::String("foo".into()),
- i64,
- Err(Error::NotANumber)
- );
- try_into!(float, Value::Float(2.1), f64, Ok(2.1));
- try_into!(blob, Value::Blob("3.1".into()), f64, Ok(3.1));
- try_into!(string, Value::String("4.1".into()), f64, Ok(4.1));
- try_into!(ok, Value::Ok, f64, Err(Error::NotANumber));
- try_into!(
- string_1,
- Value::String("foo".into()),
- f64,
- Err(Error::NotANumber)
- );
- #[test]
- fn debug() {
- let x = Value::Null;
- assert_eq!(Value::Blob("Value at:0x6000004a8840 refcount:1 encoding:embstr serializedlength:5 lru:13421257 lru_seconds_idle:367".into()), x.debug().into());
- }
- #[test]
- fn test_try_into_array() {
- let x: Result<Vec<Value>, _> = Value::Null.try_into();
- assert_eq!(Err(Error::Internal), x);
- }
- #[test]
- fn serialize_none() {
- let x: Option<Bytes> = None;
- assert_eq!(Value::Null, x.as_ref().into());
- }
- #[test]
- fn serialize_bytes() {
- let x: Option<Bytes> = Some("test".into());
- assert_eq!(Value::Blob("test".into()), x.as_ref().into());
- }
- #[test]
- fn test_is_err() {
- assert!(Value::Err("foo".to_owned(), "bar".to_owned()).is_err());
- assert!(!Value::Null.is_err());
- }
- }
|