hash.rs 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611
  1. //! # Hash command handlers
  2. use crate::{
  3. check_arg,
  4. connection::Connection,
  5. error::Error,
  6. value::Value,
  7. value::{bytes_to_number, float::Float},
  8. };
  9. use bytes::Bytes;
  10. use rand::Rng;
  11. use std::{
  12. collections::{BTreeMap, HashMap},
  13. convert::TryFrom,
  14. ops::AddAssign,
  15. str::FromStr,
  16. };
  17. /// Removes the specified fields from the hash stored at key. Specified fields that do not exist
  18. /// within this hash are ignored. If key does not exist, it is treated as an empty hash and this
  19. /// command returns 0.
  20. pub async fn hdel(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  21. let mut is_empty = false;
  22. let result = conn.db().get_map_or(
  23. &args[1],
  24. |v| match v {
  25. Value::Hash(h) => {
  26. let mut h = h.write();
  27. let mut total: i64 = 0;
  28. for key in (&args[2..]).iter() {
  29. if h.remove(key).is_some() {
  30. total += 1;
  31. }
  32. }
  33. is_empty = h.len() == 0;
  34. Ok(total.into())
  35. }
  36. _ => Err(Error::WrongType),
  37. },
  38. || Ok(0.into()),
  39. )?;
  40. if is_empty {
  41. let _ = conn.db().del(&[args[1].clone()]);
  42. } else {
  43. conn.db().bump_version(&args[1]);
  44. }
  45. Ok(result)
  46. }
  47. /// Returns if field is an existing field in the hash stored at key.
  48. pub async fn hexists(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  49. conn.db().get_map_or(
  50. &args[1],
  51. |v| match v {
  52. Value::Hash(h) => Ok(if h.read().get(&args[2]).is_some() {
  53. 1.into()
  54. } else {
  55. 0.into()
  56. }),
  57. _ => Err(Error::WrongType),
  58. },
  59. || Ok(0.into()),
  60. )
  61. }
  62. /// Returns the value associated with field in the hash stored at key.
  63. pub async fn hget(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  64. conn.db().get_map_or(
  65. &args[1],
  66. |v| match v {
  67. Value::Hash(h) => Ok(h
  68. .read()
  69. .get(&args[2])
  70. .map(|v| Value::new(v))
  71. .unwrap_or_default()),
  72. _ => Err(Error::WrongType),
  73. },
  74. || Ok(Value::Null),
  75. )
  76. }
  77. /// Returns all fields and values of the hash stored at key. In the returned value, every field
  78. /// name is followed by its value, so the length of the reply is twice the size of the hash.
  79. pub async fn hgetall(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  80. conn.db().get_map_or(
  81. &args[1],
  82. |v| match v {
  83. Value::Hash(h) => {
  84. let mut ret = vec![];
  85. for (key, value) in h.read().iter() {
  86. ret.push(Value::new(&key));
  87. ret.push(Value::new(&value));
  88. }
  89. Ok(ret.into())
  90. }
  91. _ => Err(Error::WrongType),
  92. },
  93. || Ok(Value::Array(vec![])),
  94. )
  95. }
  96. /// Increment the specified field of a hash stored at key, and representing a number, by the
  97. /// specified increment. If the increment value is negative, the result is to have the hash field
  98. /// value decremented instead of incremented. If the field does not exist, it is set to 0 before
  99. /// performing the operation.
  100. pub async fn hincrby_int(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  101. let result = conn
  102. .db()
  103. .hincrby::<i64>(&args[1], &args[2], &args[3], "an integer")?;
  104. conn.db().bump_version(&args[1]);
  105. Ok(result)
  106. }
  107. /// Increment the specified field of a hash stored at key, and representing a number, by the
  108. /// specified increment. If the increment value is negative, the result is to have the hash field
  109. /// value decremented instead of incremented. If the field does not exist, it is set to 0 before
  110. /// performing the operation.
  111. pub async fn hincrby_float(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  112. let result = conn
  113. .db()
  114. .hincrby::<Float>(&args[1], &args[2], &args[3], "a float")?;
  115. conn.db().bump_version(&args[1]);
  116. Ok(result)
  117. }
  118. /// Returns all field names in the hash stored at key.
  119. pub async fn hkeys(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  120. conn.db().get_map_or(
  121. &args[1],
  122. |v| match v {
  123. Value::Hash(h) => {
  124. let mut ret = vec![];
  125. for key in h.read().keys() {
  126. ret.push(Value::new(&key));
  127. }
  128. Ok(ret.into())
  129. }
  130. _ => Err(Error::WrongType),
  131. },
  132. || Ok(Value::Array(vec![])),
  133. )
  134. }
  135. /// Returns the number of fields contained in the hash stored at key.
  136. pub async fn hlen(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  137. conn.db().get_map_or(
  138. &args[1],
  139. |v| match v {
  140. Value::Hash(h) => Ok(h.read().len().into()),
  141. _ => Err(Error::WrongType),
  142. },
  143. || Ok(0.into()),
  144. )
  145. }
  146. /// Returns the values associated with the specified fields in the hash stored at key.
  147. pub async fn hmget(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  148. conn.db().get_map_or(
  149. &args[1],
  150. |v| match v {
  151. Value::Hash(h) => {
  152. let h = h.read();
  153. Ok((&args[2..])
  154. .iter()
  155. .map(|key| h.get(key).map(|v| Value::new(v)).unwrap_or_default())
  156. .collect::<Vec<Value>>()
  157. .into())
  158. }
  159. _ => Err(Error::WrongType),
  160. },
  161. || {
  162. Ok((&args[2..])
  163. .iter()
  164. .map(|_| Value::Null)
  165. .collect::<Vec<Value>>()
  166. .into())
  167. },
  168. )
  169. }
  170. /// Returns random keys (or values) from a hash
  171. pub async fn hrandfield(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  172. let (count, with_values) = match args.len() {
  173. 2 => (None, false),
  174. 3 => (Some(bytes_to_number::<i64>(&args[2])?), false),
  175. 4 => {
  176. if !(check_arg!(args, 3, "WITHVALUES")) {
  177. return Err(Error::Syntax);
  178. }
  179. (Some(bytes_to_number::<i64>(&args[2])?), true)
  180. }
  181. _ => return Err(Error::InvalidArgsCount("hrandfield".to_owned())),
  182. };
  183. let (count, single, repeat) = match count {
  184. Some(count) if count > 0 => (count, false, 1),
  185. Some(count) => (count.abs(), false, count.abs()),
  186. _ => (1, true, 1),
  187. };
  188. conn.db().get_map_or(
  189. &args[1],
  190. |v| match v {
  191. Value::Hash(h) => {
  192. let mut ret = vec![];
  193. let mut i = 0;
  194. let mut rand_sorted = BTreeMap::new();
  195. let mut rng = rand::thread_rng();
  196. let h = h.read();
  197. for _ in 0..repeat {
  198. for (key, value) in h.iter() {
  199. let rand = rng.gen::<u64>();
  200. rand_sorted.insert((rand, i), (key, value));
  201. i += 1;
  202. }
  203. }
  204. i = 0;
  205. for val in rand_sorted.values() {
  206. if single {
  207. return Ok(Value::new(&val.0));
  208. }
  209. if i == count {
  210. break;
  211. }
  212. ret.push(Value::new(&val.0));
  213. if with_values {
  214. ret.push(Value::new(&val.1));
  215. }
  216. i += 1;
  217. }
  218. Ok(ret.into())
  219. }
  220. _ => Err(Error::WrongType),
  221. },
  222. || Ok(Value::Array(vec![])),
  223. )
  224. }
  225. /// Sets field in the hash stored at key to value. If key does not exist, a new key holding a hash
  226. /// is created. If field already exists in the hash, it is overwritten.
  227. pub async fn hset(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  228. let is_hmset = check_arg!(args, 0, "HMSET");
  229. if args.len() % 2 == 1 {
  230. return Err(Error::InvalidArgsCount("hset".to_owned()));
  231. }
  232. let result = conn.db().get_map_or(
  233. &args[1],
  234. |v| match v {
  235. Value::Hash(h) => {
  236. let mut h = h.write();
  237. let mut e: i64 = 0;
  238. for i in (2..args.len()).step_by(2) {
  239. if h.insert(args[i].clone(), args[i + 1].clone()).is_none() {
  240. e += 1;
  241. }
  242. }
  243. if is_hmset {
  244. Ok(Value::Ok)
  245. } else {
  246. Ok(e.into())
  247. }
  248. }
  249. _ => Err(Error::WrongType),
  250. },
  251. || {
  252. #[allow(clippy::mutable_key_type)]
  253. let mut h = HashMap::new();
  254. for i in (2..args.len()).step_by(2) {
  255. h.insert(args[i].clone(), args[i + 1].clone());
  256. }
  257. let len = h.len();
  258. conn.db().set(&args[1], h.into(), None);
  259. if is_hmset {
  260. Ok(Value::Ok)
  261. } else {
  262. Ok(len.into())
  263. }
  264. },
  265. )?;
  266. conn.db().bump_version(&args[1]);
  267. Ok(result)
  268. }
  269. /// Sets field in the hash stored at key to value, only if field does not yet exist. If key does
  270. /// not exist, a new key holding a hash is created. If field already exists, this operation has no
  271. /// effect.
  272. pub async fn hsetnx(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  273. let result = conn.db().get_map_or(
  274. &args[1],
  275. |v| match v {
  276. Value::Hash(h) => {
  277. let mut h = h.write();
  278. if h.get(&args[2]).is_some() {
  279. Ok(0.into())
  280. } else {
  281. h.insert(args[2].clone(), args[3].clone());
  282. Ok(1.into())
  283. }
  284. }
  285. _ => Err(Error::WrongType),
  286. },
  287. || {
  288. #[allow(clippy::mutable_key_type)]
  289. let mut h = HashMap::new();
  290. for i in (2..args.len()).step_by(2) {
  291. h.insert(args[i].clone(), args[i + 1].clone());
  292. }
  293. let len = h.len();
  294. conn.db().set(&args[1], h.into(), None);
  295. Ok(len.into())
  296. },
  297. )?;
  298. if result == Value::Integer(1) {
  299. conn.db().bump_version(&args[1]);
  300. }
  301. Ok(result)
  302. }
  303. /// Returns the string length of the value associated with field in the hash stored at key. If the
  304. /// key or the field do not exist, 0 is returned.
  305. pub async fn hstrlen(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  306. conn.db().get_map_or(
  307. &args[1],
  308. |v| match v {
  309. Value::Hash(h) => Ok(h
  310. .read()
  311. .get(&args[2])
  312. .map(|v| v.len())
  313. .unwrap_or_default()
  314. .into()),
  315. _ => Err(Error::WrongType),
  316. },
  317. || Ok(0.into()),
  318. )
  319. }
  320. /// Returns all values in the hash stored at key.
  321. pub async fn hvals(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  322. conn.db().get_map_or(
  323. &args[1],
  324. |v| match v {
  325. Value::Hash(h) => {
  326. let mut ret = vec![];
  327. for value in h.read().values() {
  328. ret.push(Value::new(&value));
  329. }
  330. Ok(ret.into())
  331. }
  332. _ => Err(Error::WrongType),
  333. },
  334. || Ok(Value::Array(vec![])),
  335. )
  336. }
  337. #[cfg(test)]
  338. mod test {
  339. use crate::{
  340. cmd::test::{create_connection, invalid_type, run_command},
  341. value::Value,
  342. };
  343. #[tokio::test]
  344. async fn hget() {
  345. let c = create_connection();
  346. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  347. assert_eq!(Ok(Value::Integer(3)), r);
  348. let r = run_command(&c, &["hget", "foo", "f1"]).await;
  349. assert_eq!(Ok(Value::Blob("1".into())), r);
  350. }
  351. #[tokio::test]
  352. async fn hgetall() {
  353. let c = create_connection();
  354. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  355. assert_eq!(Ok(Value::Integer(3)), r);
  356. let r = run_command(&c, &["hgetall", "foo"]).await;
  357. match r {
  358. Ok(Value::Array(x)) => {
  359. assert_eq!(6, x.len());
  360. assert!(
  361. x[0] == Value::Blob("f1".into())
  362. || x[0] == Value::Blob("f2".into())
  363. || x[0] == Value::Blob("f3".into())
  364. )
  365. }
  366. _ => unreachable!(),
  367. };
  368. }
  369. #[tokio::test]
  370. async fn hrandfield() {
  371. let c = create_connection();
  372. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  373. assert_eq!(Ok(Value::Integer(3)), r);
  374. let r = run_command(&c, &["hrandfield", "foo"]).await;
  375. match r {
  376. Ok(Value::Blob(x)) => {
  377. let x = String::from_utf8_lossy(&x);
  378. assert!(x == *"f1" || x == *"f2" || x == *"f3");
  379. }
  380. _ => unreachable!(),
  381. };
  382. }
  383. #[tokio::test]
  384. async fn hmget() {
  385. let c = create_connection();
  386. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  387. assert_eq!(Ok(Value::Integer(3)), r);
  388. let r = run_command(&c, &["hmget", "foo", "f1", "f2"]).await;
  389. assert_eq!(
  390. Ok(Value::Array(vec![
  391. Value::Blob("1".into()),
  392. Value::Blob("2".into()),
  393. ])),
  394. r
  395. );
  396. }
  397. #[tokio::test]
  398. async fn hexists() {
  399. let c = create_connection();
  400. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  401. assert_eq!(Ok(Value::Integer(3)), r);
  402. assert_eq!(
  403. Ok(Value::Integer(1)),
  404. run_command(&c, &["hexists", "foo", "f1"]).await
  405. );
  406. assert_eq!(
  407. Ok(Value::Integer(1)),
  408. run_command(&c, &["hexists", "foo", "f3"]).await
  409. );
  410. assert_eq!(
  411. Ok(Value::Integer(0)),
  412. run_command(&c, &["hexists", "foo", "f4"]).await
  413. );
  414. }
  415. #[tokio::test]
  416. async fn hstrlen() {
  417. let c = create_connection();
  418. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  419. assert_eq!(Ok(Value::Integer(3)), r);
  420. let r = run_command(&c, &["hstrlen", "foo", "f1"]).await;
  421. assert_eq!(Ok(Value::Integer(1)), r);
  422. }
  423. #[tokio::test]
  424. async fn hlen() {
  425. let c = create_connection();
  426. let r = run_command(&c, &["hset", "foo", "f1", "1", "f2", "2", "f3", "3"]).await;
  427. assert_eq!(Ok(Value::Integer(3)), r);
  428. let r = run_command(&c, &["hset", "foo", "f1", "2", "f4", "2", "f5", "3"]).await;
  429. assert_eq!(Ok(Value::Integer(2)), r);
  430. let r = run_command(&c, &["hlen", "foo"]).await;
  431. assert_eq!(Ok(Value::Integer(5)), r);
  432. }
  433. #[tokio::test]
  434. async fn hkeys() {
  435. let c = create_connection();
  436. let r = run_command(&c, &["hset", "foo", "f1", "1"]).await;
  437. assert_eq!(Ok(Value::Integer(1)), r);
  438. let r = run_command(&c, &["hkeys", "foo"]).await;
  439. assert_eq!(Ok(Value::Array(vec![Value::Blob("f1".into()),])), r);
  440. }
  441. #[tokio::test]
  442. async fn hvals() {
  443. let c = create_connection();
  444. let r = run_command(&c, &["hset", "foo", "f1", "1"]).await;
  445. assert_eq!(Ok(Value::Integer(1)), r);
  446. let r = run_command(&c, &["hvals", "foo"]).await;
  447. assert_eq!(Ok(Value::Array(vec![Value::Blob("1".into()),])), r);
  448. }
  449. #[tokio::test]
  450. async fn hdel_remove_empty_hash() {
  451. let c = create_connection();
  452. assert_eq!(
  453. Ok(Value::Integer(2)),
  454. run_command(&c, &["hset", "foo", "f1", "1", "f2", "1"]).await
  455. );
  456. assert_eq!(Ok(1.into()), run_command(&c, &["hdel", "foo", "f1",]).await);
  457. assert_eq!(
  458. Ok(Value::Integer(-1)),
  459. run_command(&c, &["ttl", "foo"]).await
  460. );
  461. assert_eq!(Ok(1.into()), run_command(&c, &["hdel", "foo", "f2",]).await);
  462. assert_eq!(
  463. Ok(Value::Integer(-2)),
  464. run_command(&c, &["ttl", "foo"]).await
  465. );
  466. }
  467. #[tokio::test]
  468. async fn hincrby() {
  469. let c = create_connection();
  470. assert_eq!(
  471. Ok(Value::Integer(1)),
  472. run_command(&c, &["hincrby", "foo", "f1", "1"]).await
  473. );
  474. assert_eq!(
  475. Ok(Value::Integer(-9)),
  476. run_command(&c, &["hincrby", "foo", "f1", "-10"]).await
  477. );
  478. assert_eq!(
  479. Ok(Value::Blob("-9".into())),
  480. run_command(&c, &["hget", "foo", "f1"]).await
  481. );
  482. }
  483. #[tokio::test]
  484. async fn hsetnx() {
  485. let c = create_connection();
  486. assert_eq!(
  487. Ok(Value::Integer(1)),
  488. run_command(&c, &["hsetnx", "foo", "xxx", "1"]).await
  489. );
  490. assert_eq!(
  491. Ok(Value::Integer(0)),
  492. run_command(&c, &["hsetnx", "foo", "xxx", "1"]).await
  493. );
  494. assert_eq!(
  495. Ok(Value::Integer(1)),
  496. run_command(&c, &["hsetnx", "foo", "bar", "1"]).await
  497. );
  498. assert_eq!(
  499. Ok(Value::Integer(2)),
  500. run_command(&c, &["hlen", "foo"]).await
  501. );
  502. }
  503. #[tokio::test]
  504. async fn hlen_non_existing() {
  505. let c = create_connection();
  506. assert_eq!(
  507. Ok(Value::Integer(0)),
  508. run_command(&c, &["hlen", "foo"]).await
  509. );
  510. }
  511. #[tokio::test]
  512. async fn invalid_types() {
  513. invalid_type(&["hdel", "key", "bar", "1"]).await;
  514. invalid_type(&["hexists", "key", "bar"]).await;
  515. invalid_type(&["hget", "key", "bar"]).await;
  516. invalid_type(&["hgetall", "key"]).await;
  517. invalid_type(&["hincrby", "key", "bar", "1"]).await;
  518. invalid_type(&["hincrbyfloat", "key", "bar", "1"]).await;
  519. invalid_type(&["hkeys", "key"]).await;
  520. invalid_type(&["hlen", "key"]).await;
  521. invalid_type(&["hstrlen", "key", "foo"]).await;
  522. invalid_type(&["hmget", "key", "1", "2"]).await;
  523. invalid_type(&["hrandfield", "key"]).await;
  524. invalid_type(&["hset", "key", "bar", "1"]).await;
  525. invalid_type(&["hsetnx", "key", "bar", "1"]).await;
  526. invalid_type(&["hvals", "key"]).await;
  527. }
  528. }