mod.rs 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423
  1. //! # Redis Value
  2. //!
  3. //! All redis internal data structures and values are abstracted 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 serialized
  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(Bytes),
  35. /// bytes/String/Binary but that has been modified by bit operations, this
  36. /// is not the default state, Blob and BlowRw are the same in practice, but
  37. /// in order to a Value to be BlowRw it should have been modified by a bit
  38. /// update operation
  39. BlobRw(BytesMut),
  40. /// String. This type does not allow new lines
  41. String(String),
  42. /// An error
  43. Err(String, String),
  44. /// Integer
  45. Integer(i64),
  46. /// Boolean
  47. Boolean(bool),
  48. /// Float number
  49. Float(f64),
  50. /// Big number
  51. BigInteger(i128),
  52. /// Null
  53. Null,
  54. /// The command has been Queued
  55. Queued,
  56. /// Ok
  57. Ok,
  58. /// Empty response that is not send to the client
  59. Ignore,
  60. }
  61. impl Default for Value {
  62. fn default() -> Self {
  63. Self::Null
  64. }
  65. }
  66. /// Value debug struct
  67. #[derive(Debug)]
  68. pub struct VDebug {
  69. /// Value encoding
  70. pub encoding: &'static str,
  71. /// Length of serialized value
  72. pub serialize_len: usize,
  73. }
  74. impl From<VDebug> for Value {
  75. fn from(v: VDebug) -> Self {
  76. Value::Blob(format!(
  77. "Value at:0x6000004a8840 refcount:1 encoding:{} serializedlength:{} lru:13421257 lru_seconds_idle:367",
  78. v.encoding, v.serialize_len
  79. ).into()
  80. )
  81. }
  82. }
  83. impl Value {
  84. /// Creates a new Redis value from a stream of bytes
  85. pub fn new(value: &[u8]) -> Self {
  86. Self::Blob(Bytes::copy_from_slice(value))
  87. }
  88. /// Returns the internal encoding of the redis
  89. pub fn encoding(&self) -> &'static str {
  90. match self {
  91. Self::Hash(_) | Self::Set(_) => "hashtable",
  92. Self::List(_) => "linkedlist",
  93. Self::Array(_) => "vector",
  94. _ => "embstr",
  95. }
  96. }
  97. /// Is the current value an error?
  98. pub fn is_err(&self) -> bool {
  99. match self {
  100. Self::Err(..) => true,
  101. _ => false,
  102. }
  103. }
  104. /// Return debug information for the type
  105. pub fn debug(&self) -> VDebug {
  106. let bytes: Vec<u8> = self.into();
  107. VDebug {
  108. encoding: self.encoding(),
  109. serialize_len: bytes.len(),
  110. }
  111. }
  112. /// Returns the hash of the value
  113. pub fn digest(&self) -> Vec<u8> {
  114. let bytes: Vec<u8> = self.into();
  115. let mut hasher = Sha256::new();
  116. hasher.update(&bytes);
  117. hasher.finalize().to_vec()
  118. }
  119. }
  120. impl From<&Value> for Vec<u8> {
  121. fn from(value: &Value) -> Vec<u8> {
  122. match value {
  123. Value::Ignore => b"".to_vec(),
  124. Value::Null => b"*-1\r\n".to_vec(),
  125. Value::Array(x) => {
  126. let mut s: Vec<u8> = format!("*{}\r\n", x.len()).into();
  127. for i in x.iter() {
  128. let b: Vec<u8> = i.into();
  129. s.extend(b);
  130. }
  131. s
  132. }
  133. Value::Integer(x) => format!(":{}\r\n", x).into(),
  134. Value::BigInteger(x) => format!("({}\r\n", x).into(),
  135. Value::Float(x) => format!(",{}\r\n", x).into(),
  136. Value::BlobRw(x) => {
  137. let s = format!("${}\r\n", x.len());
  138. let mut s: BytesMut = s.as_str().as_bytes().into();
  139. s.extend_from_slice(x);
  140. s.extend_from_slice(b"\r\n");
  141. s.to_vec()
  142. }
  143. Value::Blob(x) => {
  144. let s = format!("${}\r\n", x.len());
  145. let mut s: BytesMut = s.as_str().as_bytes().into();
  146. s.extend_from_slice(x);
  147. s.extend_from_slice(b"\r\n");
  148. s.to_vec()
  149. }
  150. Value::Err(x, y) => format!("-{} {}\r\n", x, y).into(),
  151. Value::String(x) => format!("+{}\r\n", x).into(),
  152. Value::Boolean(x) => {
  153. if *x {
  154. "#t\r\n".into()
  155. } else {
  156. "#f\r\n".into()
  157. }
  158. }
  159. Value::Queued => "+QUEUED\r\n".into(),
  160. Value::Ok => "+OK\r\n".into(),
  161. _ => b"-WRONGTYPE Operation against a key holding the wrong kind of value\r\n".to_vec(),
  162. }
  163. }
  164. }
  165. impl TryFrom<&Value> for i64 {
  166. type Error = Error;
  167. fn try_from(val: &Value) -> Result<Self, Self::Error> {
  168. match val {
  169. Value::BigInteger(x) => (*x).try_into().map_err(|_| Error::NotANumber),
  170. Value::Integer(x) => Ok(*x),
  171. Value::Blob(x) => bytes_to_number::<i64>(&x),
  172. Value::String(x) => x.parse::<i64>().map_err(|_| Error::NotANumber),
  173. _ => Err(Error::NotANumber),
  174. }
  175. }
  176. }
  177. impl TryFrom<&Value> for f64 {
  178. type Error = Error;
  179. fn try_from(val: &Value) -> Result<Self, Self::Error> {
  180. match val {
  181. Value::Float(x) => Ok(*x),
  182. Value::Blob(x) => bytes_to_number::<f64>(x),
  183. Value::String(x) => x.parse::<f64>().map_err(|_| Error::NotANumber),
  184. _ => Err(Error::NotANumber),
  185. }
  186. }
  187. }
  188. /// Tries to convert bytes data into a number
  189. ///
  190. /// If the conversion fails a Error::NotANumber error is returned.
  191. #[inline]
  192. pub fn bytes_to_number<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
  193. let x = String::from_utf8_lossy(bytes);
  194. x.parse::<T>().map_err(|_| Error::NotANumber)
  195. }
  196. /// Tries to convert bytes data into an integer number
  197. #[inline]
  198. pub fn bytes_to_int<T: FromStr>(bytes: &[u8]) -> Result<T, Error> {
  199. let x = String::from_utf8_lossy(bytes);
  200. x.parse::<T>()
  201. .map_err(|_| Error::NotANumberType("an integer".to_owned()))
  202. }
  203. impl<'a> From<&ParsedValue<'a>> for Value {
  204. fn from(value: &ParsedValue) -> Self {
  205. match value {
  206. ParsedValue::String(x) => Self::String((*x).to_string()),
  207. ParsedValue::Blob(x) => Self::new(*x),
  208. ParsedValue::Array(x) => Self::Array(x.iter().map(|x| x.into()).collect()),
  209. ParsedValue::Boolean(x) => Self::Boolean(*x),
  210. ParsedValue::BigInteger(x) => Self::BigInteger(*x),
  211. ParsedValue::Integer(x) => Self::Integer(*x),
  212. ParsedValue::Float(x) => Self::Float(*x),
  213. ParsedValue::Error(x, y) => Self::Err((*x).to_string(), (*y).to_string()),
  214. ParsedValue::Null => Self::Null,
  215. }
  216. }
  217. }
  218. value_try_from!(f64, Value::Float);
  219. value_try_from!(i32, Value::Integer);
  220. value_try_from!(u32, Value::Integer);
  221. value_try_from!(i64, Value::Integer);
  222. value_try_from!(i128, Value::BigInteger);
  223. impl From<usize> for Value {
  224. fn from(value: usize) -> Value {
  225. Value::Integer(value as i64)
  226. }
  227. }
  228. impl From<Value> for Vec<u8> {
  229. fn from(value: Value) -> Vec<u8> {
  230. (&value).into()
  231. }
  232. }
  233. impl<T: Into<Value>> From<Option<T>> for Value {
  234. fn from(value: Option<T>) -> Self {
  235. if let Some(v) = value {
  236. v.into()
  237. } else {
  238. Value::Null
  239. }
  240. }
  241. }
  242. impl From<&Bytes> for Value {
  243. fn from(v: &Bytes) -> Self {
  244. Value::new(v)
  245. }
  246. }
  247. impl From<&str> for Value {
  248. fn from(value: &str) -> Self {
  249. Value::Blob(Bytes::copy_from_slice(value.as_bytes()))
  250. }
  251. }
  252. impl From<HashMap<Bytes, Bytes>> for Value {
  253. fn from(value: HashMap<Bytes, Bytes>) -> Value {
  254. Value::Hash(locked::Value::new(value))
  255. }
  256. }
  257. impl From<VecDeque<checksum::Value>> for Value {
  258. fn from(value: VecDeque<checksum::Value>) -> Value {
  259. Value::List(locked::Value::new(value))
  260. }
  261. }
  262. impl From<HashSet<Bytes>> for Value {
  263. fn from(value: HashSet<Bytes>) -> Value {
  264. Value::Set(locked::Value::new(value))
  265. }
  266. }
  267. value_vec_try_from!(&str);
  268. impl From<String> for Value {
  269. fn from(value: String) -> Value {
  270. value.as_str().into()
  271. }
  272. }
  273. impl From<Vec<Value>> for Value {
  274. fn from(value: Vec<Value>) -> Value {
  275. Value::Array(value)
  276. }
  277. }
  278. impl TryInto<Vec<Value>> for Value {
  279. type Error = Error;
  280. fn try_into(self) -> Result<Vec<Value>, Self::Error> {
  281. match self {
  282. Self::Array(x) => Ok(x),
  283. _ => Err(Error::Internal),
  284. }
  285. }
  286. }
  287. #[cfg(test)]
  288. mod test {
  289. use super::*;
  290. use paste::paste;
  291. macro_rules! serialize_deserialize {
  292. ($name:ty, $x:expr, $str:expr) => {
  293. paste! {
  294. #[test]
  295. fn [<serialize_and_deserialize_ $name>]() {
  296. let raw_bytes: Vec<u8> = $x.into();
  297. let parsed: ParsedValue = redis_zero_protocol_parser::parse(&raw_bytes).unwrap().1;
  298. assert_eq!(Value::String($str.to_owned()), (&parsed).into());
  299. }
  300. }
  301. };
  302. ($name:ty, $x:expr) => {
  303. paste! {
  304. #[test]
  305. fn [<serialize_and_deserialize_ $name>]() {
  306. let raw_bytes: Vec<u8> = $x.into();
  307. let parsed: ParsedValue = redis_zero_protocol_parser::parse(&raw_bytes).unwrap().1;
  308. assert_eq!($x, (&parsed).into());
  309. }
  310. }
  311. };
  312. }
  313. macro_rules! try_into {
  314. ($name:ty, $x:expr, $ty:ty, $expected:expr) => {
  315. paste! {
  316. #[test]
  317. fn [<try_into_ $ty _ $name>]() {
  318. let val: Result<$ty, _> = (&$x).try_into();
  319. assert_eq!(val, $expected);
  320. }
  321. }
  322. };
  323. }
  324. serialize_deserialize!(null, Value::Null);
  325. serialize_deserialize!(blob, Value::Blob("test".into()));
  326. serialize_deserialize!(int, Value::Integer(1.into()));
  327. serialize_deserialize!(bigint, Value::BigInteger(1.into()));
  328. serialize_deserialize!(_true, Value::Boolean(true));
  329. serialize_deserialize!(_false, Value::Boolean(false));
  330. serialize_deserialize!(float, Value::Float(1.2));
  331. serialize_deserialize!(string, Value::String("test".into()));
  332. serialize_deserialize!(array, Value::Array(vec!["test".into(), Value::Float(1.2)]));
  333. serialize_deserialize!(err, Value::Err("foo".to_owned(), "bar".to_owned()));
  334. serialize_deserialize!(queued, Value::Queued, "QUEUED");
  335. serialize_deserialize!(ok, Value::Ok, "OK");
  336. try_into!(biginteger, Value::BigInteger(1), i64, Ok(1));
  337. try_into!(integer, Value::Integer(2), i64, Ok(2));
  338. try_into!(blob, Value::Blob("3".into()), i64, Ok(3));
  339. try_into!(string, Value::String("4".into()), i64, Ok(4));
  340. try_into!(ok, Value::Ok, i64, Err(Error::NotANumber));
  341. try_into!(
  342. string_1,
  343. Value::String("foo".into()),
  344. i64,
  345. Err(Error::NotANumber)
  346. );
  347. try_into!(float, Value::Float(2.1), f64, Ok(2.1));
  348. try_into!(blob, Value::Blob("3.1".into()), f64, Ok(3.1));
  349. try_into!(string, Value::String("4.1".into()), f64, Ok(4.1));
  350. try_into!(ok, Value::Ok, f64, Err(Error::NotANumber));
  351. try_into!(
  352. string_1,
  353. Value::String("foo".into()),
  354. f64,
  355. Err(Error::NotANumber)
  356. );
  357. #[test]
  358. fn debug() {
  359. let x = Value::Null;
  360. assert_eq!(Value::Blob("Value at:0x6000004a8840 refcount:1 encoding:embstr serializedlength:5 lru:13421257 lru_seconds_idle:367".into()), x.debug().into());
  361. }
  362. #[test]
  363. fn test_try_into_array() {
  364. let x: Result<Vec<Value>, _> = Value::Null.try_into();
  365. assert_eq!(Err(Error::Internal), x);
  366. }
  367. #[test]
  368. fn serialize_none() {
  369. let x: Option<Bytes> = None;
  370. assert_eq!(Value::Null, x.as_ref().into());
  371. }
  372. #[test]
  373. fn serialize_bytes() {
  374. let x: Option<Bytes> = Some("test".into());
  375. assert_eq!(Value::Blob("test".into()), x.as_ref().into());
  376. }
  377. #[test]
  378. fn test_is_err() {
  379. assert!(Value::Err("foo".to_owned(), "bar".to_owned()).is_err());
  380. assert!(!Value::Null.is_err());
  381. }
  382. }