mod.rs 8.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298
  1. //! # Redis Value
  2. //!
  3. //! All redis internal data structures and values are absracted in this mod.
  4. pub mod checksum;
  5. pub mod cursor;
  6. pub mod expiration;
  7. pub mod float;
  8. pub mod locked;
  9. pub mod typ;
  10. use crate::{cmd::now, error::Error, value_try_from, value_vec_try_from};
  11. use bytes::{Bytes, BytesMut};
  12. use redis_zero_protocol_parser::Value as ParsedValue;
  13. use sha2::{Digest, Sha256};
  14. use std::{
  15. collections::{HashMap, HashSet, VecDeque},
  16. convert::{TryFrom, TryInto},
  17. str::FromStr,
  18. time::Duration,
  19. };
  20. /// Redis Value.
  21. ///
  22. /// This enum represents all data structures that are supported by Redis
  23. #[derive(Debug, PartialEq, Clone)]
  24. pub enum Value {
  25. /// Hash. This type cannot be serialized
  26. Hash(locked::Value<HashMap<Bytes, Bytes>>),
  27. /// List. This type cannot be sreialized
  28. List(locked::Value<VecDeque<checksum::Value>>),
  29. /// Set. This type cannot be serialized
  30. Set(locked::Value<HashSet<Bytes>>),
  31. /// Vector/Array of values
  32. Array(Vec<Value>),
  33. /// Bytes/Strings/Binary data
  34. Blob(BytesMut),
  35. /// String. This type does not allow new lines
  36. String(String),
  37. /// An error
  38. Err(String, String),
  39. /// Integer
  40. Integer(i64),
  41. /// Boolean
  42. Boolean(bool),
  43. /// Float number
  44. Float(f64),
  45. /// Big number
  46. BigInteger(i128),
  47. /// Null
  48. Null,
  49. /// The command has been Queued
  50. Queued,
  51. /// Ok
  52. Ok,
  53. /// Empty response that is not send to the client
  54. Ignore,
  55. }
  56. impl Default for Value {
  57. fn default() -> Self {
  58. Self::Null
  59. }
  60. }
  61. /// Value debug struct
  62. #[derive(Debug)]
  63. pub struct VDebug {
  64. /// Value encoding
  65. pub encoding: &'static str,
  66. /// Length of serialized value
  67. pub serialize_len: usize,
  68. }
  69. impl From<VDebug> for Value {
  70. fn from(v: VDebug) -> Self {
  71. Value::Blob(format!(
  72. "Value at:0x6000004a8840 refcount:1 encoding:{} serializedlength:{} lru:13421257 lru_seconds_idle:367",
  73. v.encoding, v.serialize_len
  74. ).as_str().into()
  75. )
  76. }
  77. }
  78. impl Value {
  79. /// Creates a new Redis value from a stream of bytes
  80. pub fn new(value: &[u8]) -> Self {
  81. Self::Blob(value.into())
  82. }
  83. /// Returns the internal encoding of the redis
  84. pub fn encoding(&self) -> &'static str {
  85. match self {
  86. Self::Hash(_) | Self::Set(_) => "hashtable",
  87. Self::List(_) => "linkedlist",
  88. Self::Array(_) => "vector",
  89. _ => "embstr",
  90. }
  91. }
  92. /// Is the current value an error?
  93. pub fn is_err(&self) -> bool {
  94. match self {
  95. Self::Err(..) => true,
  96. _ => false,
  97. }
  98. }
  99. /// Return debug information for the type
  100. pub fn debug(&self) -> VDebug {
  101. let bytes: Vec<u8> = self.into();
  102. VDebug {
  103. encoding: self.encoding(),
  104. serialize_len: bytes.len(),
  105. }
  106. }
  107. /// Returns the hash of the value
  108. pub fn digest(&self) -> Vec<u8> {
  109. let bytes: Vec<u8> = self.into();
  110. let mut hasher = Sha256::new();
  111. hasher.update(&bytes);
  112. hasher.finalize().to_vec()
  113. }
  114. }
  115. impl From<&Value> for Vec<u8> {
  116. fn from(value: &Value) -> Vec<u8> {
  117. match value {
  118. Value::Null => b"*-1\r\n".to_vec(),
  119. Value::Array(x) => {
  120. let mut s: Vec<u8> = format!("*{}\r\n", x.len()).into();
  121. for i in x.iter() {
  122. let b: Vec<u8> = i.into();
  123. s.extend(b);
  124. }
  125. s
  126. }
  127. Value::Integer(x) => format!(":{}\r\n", x).into(),
  128. Value::BigInteger(x) => format!("({}\r\n", x).into(),
  129. Value::Float(x) => format!(",{}\r\n", x).into(),
  130. Value::Blob(x) => {
  131. let s = format!("${}\r\n", x.len());
  132. let mut s: BytesMut = s.as_str().as_bytes().into();
  133. s.extend_from_slice(x);
  134. s.extend_from_slice(b"\r\n");
  135. s.to_vec()
  136. }
  137. Value::Err(x, y) => format!("-{} {}\r\n", x, y).into(),
  138. Value::String(x) => format!("+{}\r\n", x).into(),
  139. Value::Queued => "+QUEUED\r\n".into(),
  140. Value::Ok => "+OK\r\n".into(),
  141. _ => b"-WRONGTYPE Operation against a key holding the wrong kind of value\r\n".to_vec(),
  142. }
  143. }
  144. }
  145. impl TryFrom<&Value> for i64 {
  146. type Error = Error;
  147. fn try_from(val: &Value) -> Result<Self, Self::Error> {
  148. match val {
  149. Value::BigInteger(x) => (*x).try_into().map_err(|_| Error::NotANumber),
  150. Value::Integer(x) => Ok(*x),
  151. Value::Blob(x) => bytes_to_number::<i64>(&x),
  152. Value::String(x) => x.parse::<i64>().map_err(|_| Error::NotANumber),
  153. _ => Err(Error::NotANumber),
  154. }
  155. }
  156. }
  157. impl TryFrom<&Value> for f64 {
  158. type Error = Error;
  159. fn try_from(val: &Value) -> Result<Self, Self::Error> {
  160. match val {
  161. Value::Float(x) => Ok(*x),
  162. Value::Blob(x) => bytes_to_number::<f64>(x),
  163. Value::String(x) => x.parse::<f64>().map_err(|_| Error::NotANumber),
  164. _ => Err(Error::NotANumber),
  165. }
  166. }
  167. }
  168. /// Tries to convert bytes data into a number
  169. ///
  170. /// If the conversion fails a Error::NotANumber error is returned.
  171. #[inline]
  172. pub fn bytes_to_number<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
  173. let x = String::from_utf8_lossy(bytes);
  174. x.parse::<T>().map_err(|_| Error::NotANumber)
  175. }
  176. /// Tries to convert bytes data into an integer number
  177. #[inline]
  178. pub fn bytes_to_int<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
  179. let x = String::from_utf8_lossy(bytes);
  180. x.parse::<T>()
  181. .map_err(|_| Error::NotANumberType("an integer".to_owned()))
  182. }
  183. impl<'a> From<&ParsedValue<'a>> for Value {
  184. fn from(value: &ParsedValue) -> Self {
  185. match value {
  186. ParsedValue::String(x) => Self::String((*x).to_string()),
  187. ParsedValue::Blob(x) => Self::new(*x),
  188. ParsedValue::Array(x) => Self::Array(x.iter().map(|x| x.into()).collect()),
  189. ParsedValue::Boolean(x) => Self::Boolean(*x),
  190. ParsedValue::BigInteger(x) => Self::BigInteger(*x),
  191. ParsedValue::Integer(x) => Self::Integer(*x),
  192. ParsedValue::Float(x) => Self::Float(*x),
  193. ParsedValue::Error(x, y) => Self::Err((*x).to_string(), (*y).to_string()),
  194. ParsedValue::Null => Self::Null,
  195. }
  196. }
  197. }
  198. value_try_from!(f64, Value::Float);
  199. value_try_from!(i32, Value::Integer);
  200. value_try_from!(u32, Value::Integer);
  201. value_try_from!(i64, Value::Integer);
  202. value_try_from!(i128, Value::BigInteger);
  203. impl From<usize> for Value {
  204. fn from(value: usize) -> Value {
  205. Value::Integer(value as i64)
  206. }
  207. }
  208. impl From<Value> for Vec<u8> {
  209. fn from(value: Value) -> Vec<u8> {
  210. (&value).into()
  211. }
  212. }
  213. impl From<Option<&Bytes>> for Value {
  214. fn from(v: Option<&Bytes>) -> Self {
  215. if let Some(v) = v {
  216. v.into()
  217. } else {
  218. Value::Null
  219. }
  220. }
  221. }
  222. impl From<&Bytes> for Value {
  223. fn from(v: &Bytes) -> Self {
  224. Value::new(v)
  225. }
  226. }
  227. impl From<&str> for Value {
  228. fn from(value: &str) -> Value {
  229. Value::Blob(value.as_bytes().into())
  230. }
  231. }
  232. impl From<HashMap<Bytes, Bytes>> for Value {
  233. fn from(value: HashMap<Bytes, Bytes>) -> Value {
  234. Value::Hash(locked::Value::new(value))
  235. }
  236. }
  237. impl From<VecDeque<checksum::Value>> for Value {
  238. fn from(value: VecDeque<checksum::Value>) -> Value {
  239. Value::List(locked::Value::new(value))
  240. }
  241. }
  242. impl From<HashSet<Bytes>> for Value {
  243. fn from(value: HashSet<Bytes>) -> Value {
  244. Value::Set(locked::Value::new(value))
  245. }
  246. }
  247. value_vec_try_from!(&str);
  248. impl From<String> for Value {
  249. fn from(value: String) -> Value {
  250. value.as_str().into()
  251. }
  252. }
  253. impl From<Vec<Value>> for Value {
  254. fn from(value: Vec<Value>) -> Value {
  255. Value::Array(value)
  256. }
  257. }
  258. impl TryInto<Vec<Value>> for Value {
  259. type Error = Error;
  260. fn try_into(self) -> Result<Vec<Value>, Self::Error> {
  261. match self {
  262. Self::Array(x) => Ok(x),
  263. _ => Err(Error::Internal),
  264. }
  265. }
  266. }