mod.rs 12 KB

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