string.rs 23 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678
  1. //! # String command handlers
  2. use super::now;
  3. use crate::{
  4. check_arg, connection::Connection, db::Override, error::Error, try_get_arg,
  5. value::bytes_to_number, value::Value,
  6. };
  7. use bytes::Bytes;
  8. use std::{
  9. cmp::min,
  10. convert::TryInto,
  11. ops::{Bound, Neg},
  12. };
  13. use tokio::time::Duration;
  14. /// If key already exists and is a string, this command appends the value at the
  15. /// end of the string. If key does not exist it is created and set as an empty
  16. /// string, so APPEND will be similar to SET in this special case.
  17. pub async fn append(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  18. conn.db().append(&args[1], &args[2])
  19. }
  20. /// Increments the number stored at key by one. If the key does not exist, it is set to 0 before
  21. /// performing the operation. An error is returned if the key contains a value of the wrong type or
  22. /// contains a string that can not be represented as integer. This operation is limited to 64 bit
  23. /// signed integers.
  24. pub async fn incr(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  25. conn.db().incr(&args[1], 1_i64)
  26. }
  27. /// Increments the number stored at key by increment. If the key does not exist, it is set to 0
  28. /// before performing the operation. An error is returned if the key contains a value of the wrong
  29. /// type or contains a string that can not be represented as integer. This operation is limited to
  30. /// 64 bit signed integers.
  31. pub async fn incr_by(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  32. let by: i64 = bytes_to_number(&args[2])?;
  33. conn.db().incr(&args[1], by)
  34. }
  35. /// Increment the string representing a floating point number stored at key by the specified
  36. /// increment. By using a negative increment value, the result is that the value stored at the key
  37. /// is decremented (by the obvious properties of addition). If the key does not exist, it is set to
  38. /// 0 before performing the operation.
  39. pub async fn incr_by_float(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  40. let by: f64 = bytes_to_number(&args[2])?;
  41. conn.db().incr(&args[1], by)
  42. }
  43. /// Decrements the number stored at key by one. If the key does not exist, it is set to 0 before
  44. /// performing the operation. An error is returned if the key contains a value of the wrong type or
  45. /// contains a string that can not be represented as integer. This operation is limited to 64 bit
  46. /// signed integers.
  47. pub async fn decr(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  48. conn.db().incr(&args[1], -1_i64)
  49. }
  50. /// Decrements the number stored at key by decrement. If the key does not exist, it is set to 0
  51. /// before performing the operation. An error is returned if the key contains a value of the wrong
  52. /// type or contains a string that can not be represented as integer. This operation is limited to
  53. /// 64 bit signed integers.
  54. pub async fn decr_by(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  55. let by: i64 = (&Value::Blob(args[2].to_owned())).try_into()?;
  56. conn.db().incr(&args[1], by.neg())
  57. }
  58. /// Get the value of key. If the key does not exist the special value nil is returned. An error is
  59. /// returned if the value stored at key is not a string, because GET only handles string values.
  60. pub async fn get(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  61. Ok(conn.db().get(&args[1]))
  62. }
  63. /// Get the value of key and optionally set its expiration. GETEX is similar to
  64. /// GET, but is a write command with additional options.
  65. pub async fn getex(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  66. let (expire_at, persist) = match args.len() {
  67. 2 => (None, false),
  68. 3 => {
  69. if check_arg!(args, 2, "PERSIST") {
  70. (None, Default::default())
  71. } else {
  72. return Err(Error::Syntax);
  73. }
  74. }
  75. 4 => {
  76. let expires_in: i64 = bytes_to_number(&args[3])?;
  77. if expires_in <= 0 {
  78. // Delete key right away after returning
  79. return Ok(conn.db().getdel(&args[1]));
  80. }
  81. let expires_in: u64 = expires_in as u64;
  82. match String::from_utf8_lossy(&args[2]).to_uppercase().as_str() {
  83. "EX" => (Some(Duration::from_secs(expires_in)), false),
  84. "PX" => (Some(Duration::from_millis(expires_in)), false),
  85. "EXAT" => (
  86. Some(Duration::from_secs(expires_in - now().as_secs())),
  87. false,
  88. ),
  89. "PXAT" => (
  90. Some(Duration::from_millis(expires_in - now().as_millis() as u64)),
  91. false,
  92. ),
  93. "PERSIST" => (None, Default::default()),
  94. _ => return Err(Error::Syntax),
  95. }
  96. }
  97. _ => return Err(Error::Syntax),
  98. };
  99. Ok(conn.db().getex(&args[1], expire_at, persist))
  100. }
  101. /// Get the value of key. If the key does not exist the special value nil is returned. An error is
  102. /// returned if the value stored at key is not a string, because GET only handles string values.
  103. pub async fn getrange(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  104. match conn.db().get(&args[1]) {
  105. Value::Blob(binary) => {
  106. let start = bytes_to_number::<i64>(&args[2])?;
  107. let end = bytes_to_number::<i64>(&args[3])?;
  108. let len = binary.len();
  109. // resolve negative positions
  110. let start: usize = if start < 0 {
  111. (start + len as i64).try_into().unwrap_or(0)
  112. } else {
  113. start.try_into().expect("Positive number")
  114. };
  115. // resolve negative positions
  116. let end: usize = if end < 0 {
  117. if let Ok(val) = (end + len as i64).try_into() {
  118. val
  119. } else {
  120. return Ok("".into());
  121. }
  122. } else {
  123. end.try_into().expect("Positive number")
  124. };
  125. let end = min(end, len - 1);
  126. if end < start {
  127. return Ok("".into());
  128. }
  129. Ok(Value::Blob(
  130. binary.slice((Bound::Included(start), Bound::Included(end))),
  131. ))
  132. }
  133. Value::Null => Ok("".into()),
  134. _ => Err(Error::WrongType),
  135. }
  136. }
  137. /// Get the value of key and delete the key. This command is similar to GET, except for the fact
  138. /// that it also deletes the key on success (if and only if the key's value type is a string).
  139. pub async fn getdel(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  140. Ok(conn.db().getdel(&args[1]))
  141. }
  142. /// Atomically sets key to value and returns the old value stored at key. Returns an error when key
  143. /// exists but does not hold a string value. Any previous time to live associated with the key is
  144. /// discarded on successful SET operation.
  145. pub async fn getset(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  146. Ok(conn.db().getset(&args[1], &Value::Blob(args[2].to_owned())))
  147. }
  148. /// Returns the values of all specified keys. For every key that does not hold a string value or
  149. /// does not exist, the special value nil is returned. Because of this, the operation never fails.
  150. pub async fn mget(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  151. Ok(conn.db().get_multi(&args[1..]))
  152. }
  153. /// Set key to hold the string value. If key already holds a value, it is overwritten, regardless
  154. /// of its type. Any previous time to live associated with the key is discarded on successful SET
  155. /// operation.
  156. pub async fn set(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  157. match args.len() {
  158. 3 => Ok(conn
  159. .db()
  160. .set(&args[1], Value::Blob(args[2].to_owned()), None)),
  161. 4 | 5 | 6 | 7 => {
  162. let mut offset = 3;
  163. let mut expiration = None;
  164. let mut override_value = Override::Yes;
  165. let mut return_previous = false;
  166. let mut keep_ttl = false;
  167. match String::from_utf8_lossy(&args[offset])
  168. .to_uppercase()
  169. .as_str()
  170. {
  171. "EX" => {
  172. expiration = Some(Duration::from_secs(bytes_to_number::<u64>(try_get_arg!(
  173. args, 4
  174. ))?));
  175. offset += 2;
  176. }
  177. "PX" => {
  178. expiration = Some(Duration::from_millis(bytes_to_number::<u64>(
  179. try_get_arg!(args, 4),
  180. )?));
  181. offset += 2;
  182. }
  183. "EXAT" => {
  184. expiration = Some(Duration::from_secs(
  185. bytes_to_number::<u64>(try_get_arg!(args, 4))? - now().as_secs(),
  186. ));
  187. offset += 2;
  188. }
  189. "PXAT" => {
  190. expiration = Some(Duration::from_millis(
  191. bytes_to_number::<u64>(try_get_arg!(args, 4))? - (now().as_millis() as u64),
  192. ));
  193. offset += 2;
  194. }
  195. "KEEPTTL" => {
  196. keep_ttl = true;
  197. offset += 1;
  198. }
  199. "NX" | "XX" | "GET" => {}
  200. _ => return Err(Error::Syntax),
  201. };
  202. if offset < args.len() {
  203. match String::from_utf8_lossy(&args[offset])
  204. .to_uppercase()
  205. .as_str()
  206. {
  207. "NX" => {
  208. override_value = Override::No;
  209. offset += 1;
  210. }
  211. "XX" => {
  212. override_value = Override::Only;
  213. offset += 1;
  214. }
  215. "GET" => {}
  216. _ => return Err(Error::Syntax),
  217. };
  218. }
  219. if offset < args.len() {
  220. if String::from_utf8_lossy(&args[offset])
  221. .to_uppercase()
  222. .as_str()
  223. == "GET"
  224. {
  225. return_previous = true;
  226. } else {
  227. return Err(Error::Syntax);
  228. }
  229. }
  230. Ok(
  231. match conn.db().set_advanced(
  232. &args[1],
  233. Value::Blob(args[2].to_owned()),
  234. expiration,
  235. override_value,
  236. keep_ttl,
  237. return_previous,
  238. ) {
  239. Value::Integer(1) => Value::Ok,
  240. Value::Integer(0) => Value::Null,
  241. any_return => any_return,
  242. },
  243. )
  244. }
  245. _ => Err(Error::Syntax),
  246. }
  247. }
  248. /// Sets the given keys to their respective values. MSET replaces existing
  249. /// values with new values, just as regular SET. See MSETNX if you don't want to
  250. /// overwrite existing values. MSET is atomic, so all given keys are set at
  251. /// once.
  252. ///
  253. /// It is not possible for clients to see that some of the keys were
  254. /// updated while others are unchanged.
  255. pub async fn mset(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  256. Ok(conn.db().multi_set(&args[1..], true))
  257. }
  258. /// Sets the given keys to their respective values. MSETNX will not perform any
  259. /// operation at all even if just a single key already exists.
  260. ///
  261. /// Because of this semantic MSETNX can be used in order to set different keys
  262. /// representing different fields of an unique logic object in a way that
  263. /// ensures that either all the fields or none at all are set.
  264. ///
  265. /// MSETNX is atomic, so all given keys are set at once. It is not possible for
  266. /// clients to see that some of the keys were updated while others are
  267. /// unchanged.
  268. pub async fn msetnx(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  269. Ok(conn.db().multi_set(&args[1..], false))
  270. }
  271. /// Set key to hold the string value and set key to timeout after a given number of seconds. This
  272. /// command is equivalent to executing the following commands:
  273. ///
  274. /// SET mykey value
  275. /// EXPIRE mykey seconds
  276. pub async fn setex(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  277. let ttl = if check_arg!(args, 0, "SETEX") {
  278. Duration::from_secs(bytes_to_number(&args[2])?)
  279. } else {
  280. Duration::from_millis(bytes_to_number(&args[2])?)
  281. };
  282. Ok(conn
  283. .db()
  284. .set(&args[1], Value::Blob(args[2].to_owned()), Some(ttl)))
  285. }
  286. /// Set key to hold string value if key does not exist. In that case, it is
  287. /// equal to SET. When key already holds a value, no operation is performed.
  288. /// SETNX is short for "SET if Not eXists".
  289. pub async fn setnx(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  290. Ok(conn.db().set_advanced(
  291. &args[1],
  292. Value::Blob(args[2].to_owned()),
  293. None,
  294. Override::No,
  295. false,
  296. false,
  297. ))
  298. }
  299. /// Returns the length of the string value stored at key. An error is returned when key holds a
  300. /// non-string value.
  301. pub async fn strlen(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
  302. match conn.db().get(&args[1]) {
  303. Value::Blob(x) => Ok(x.len().into()),
  304. Value::String(x) => Ok(x.len().into()),
  305. Value::Null => Ok(0.into()),
  306. _ => Ok(Error::WrongType.into()),
  307. }
  308. }
  309. #[cfg(test)]
  310. mod test {
  311. use crate::{
  312. cmd::test::{create_connection, run_command},
  313. error::Error,
  314. value::Value,
  315. };
  316. #[tokio::test]
  317. async fn append() {
  318. let c = create_connection();
  319. assert_eq!(
  320. Ok(5.into()),
  321. run_command(&c, &["append", "foo", "cesar"]).await,
  322. );
  323. assert_eq!(
  324. Ok(10.into()),
  325. run_command(&c, &["append", "foo", "rodas"]).await,
  326. );
  327. let _ = run_command(&c, &["hset", "hash", "foo", "bar"]).await;
  328. assert_eq!(
  329. Err(Error::WrongType),
  330. run_command(&c, &["append", "hash", "rodas"]).await,
  331. );
  332. }
  333. #[tokio::test]
  334. async fn incr() {
  335. let c = create_connection();
  336. let r = run_command(&c, &["incr", "foo"]).await;
  337. assert_eq!(Ok(Value::Integer(1)), r);
  338. let r = run_command(&c, &["incr", "foo"]).await;
  339. assert_eq!(Ok(Value::Integer(2)), r);
  340. let x = run_command(&c, &["get", "foo"]).await;
  341. assert_eq!(Ok(Value::Blob("2".into())), x);
  342. }
  343. #[tokio::test]
  344. async fn incr_do_not_affect_ttl() {
  345. let c = create_connection();
  346. let r = run_command(&c, &["incr", "foo"]).await;
  347. assert_eq!(Ok(Value::Integer(1)), r);
  348. let r = run_command(&c, &["expire", "foo", "60"]).await;
  349. assert_eq!(Ok(Value::Integer(1)), r);
  350. let r = run_command(&c, &["ttl", "foo"]).await;
  351. assert_eq!(Ok(Value::Integer(59)), r);
  352. let r = run_command(&c, &["incr", "foo"]).await;
  353. assert_eq!(Ok(Value::Integer(2)), r);
  354. let r = run_command(&c, &["ttl", "foo"]).await;
  355. assert_eq!(Ok(Value::Integer(59)), r);
  356. }
  357. #[tokio::test]
  358. async fn decr() {
  359. let c = create_connection();
  360. let r = run_command(&c, &["decr", "foo"]).await;
  361. assert_eq!(Ok(Value::Integer(-1)), r);
  362. let r = run_command(&c, &["decr", "foo"]).await;
  363. assert_eq!(Ok(Value::Integer(-2)), r);
  364. let x = run_command(&c, &["get", "foo"]).await;
  365. assert_eq!(Ok(Value::Blob("-2".into())), x);
  366. }
  367. #[tokio::test]
  368. async fn decr_do_not_affect_ttl() {
  369. let c = create_connection();
  370. let r = run_command(&c, &["decr", "foo"]).await;
  371. assert_eq!(Ok(Value::Integer(-1)), r);
  372. let r = run_command(&c, &["expire", "foo", "60"]).await;
  373. assert_eq!(Ok(Value::Integer(1)), r);
  374. let r = run_command(&c, &["ttl", "foo"]).await;
  375. assert_eq!(Ok(Value::Integer(59)), r);
  376. let r = run_command(&c, &["decr", "foo"]).await;
  377. assert_eq!(Ok(Value::Integer(-2)), r);
  378. let r = run_command(&c, &["ttl", "foo"]).await;
  379. assert_eq!(Ok(Value::Integer(59)), r);
  380. }
  381. #[tokio::test]
  382. async fn setnx() {
  383. let c = create_connection();
  384. assert_eq!(
  385. Ok(1.into()),
  386. run_command(&c, &["setnx", "foo", "bar"]).await
  387. );
  388. assert_eq!(
  389. Ok(0.into()),
  390. run_command(&c, &["setnx", "foo", "barx"]).await
  391. );
  392. assert_eq!(
  393. Ok(Value::Array(vec!["bar".into()])),
  394. run_command(&c, &["mget", "foo"]).await
  395. );
  396. }
  397. #[tokio::test]
  398. async fn mset() {
  399. let c = create_connection();
  400. let x = run_command(&c, &["mset", "foo", "bar", "bar", "foo"]).await;
  401. assert_eq!(Ok(Value::Ok), x);
  402. assert_eq!(
  403. Ok(Value::Array(vec!["bar".into(), "foo".into()])),
  404. run_command(&c, &["mget", "foo", "bar"]).await
  405. );
  406. }
  407. #[tokio::test]
  408. async fn msetnx() {
  409. let c = create_connection();
  410. assert_eq!(
  411. Ok(1.into()),
  412. run_command(&c, &["msetnx", "foo", "bar", "bar", "foo"]).await
  413. );
  414. assert_eq!(
  415. Ok(0.into()),
  416. run_command(&c, &["msetnx", "foo", "bar1", "bar", "foo1"]).await
  417. );
  418. assert_eq!(
  419. Ok(Value::Array(vec!["bar".into(), "foo".into()])),
  420. run_command(&c, &["mget", "foo", "bar"]).await
  421. );
  422. }
  423. #[tokio::test]
  424. async fn get_and_set() {
  425. let c = create_connection();
  426. let x = run_command(&c, &["set", "foo", "bar"]).await;
  427. assert_eq!(Ok(Value::Ok), x);
  428. let x = run_command(&c, &["get", "foo"]).await;
  429. assert_eq!(Ok(Value::Blob("bar".into())), x);
  430. }
  431. #[tokio::test]
  432. async fn setkeepttl() {
  433. let c = create_connection();
  434. assert_eq!(
  435. Ok(Value::Ok),
  436. run_command(&c, &["set", "foo", "bar", "ex", "60"]).await
  437. );
  438. assert_eq!(
  439. Ok(Value::Ok),
  440. run_command(&c, &["set", "foo", "bar1", "keepttl"]).await
  441. );
  442. assert_eq!(Ok("bar1".into()), run_command(&c, &["get", "foo"]).await);
  443. assert_eq!(Ok(59.into()), run_command(&c, &["ttl", "foo"]).await);
  444. assert_eq!(
  445. Ok(Value::Ok),
  446. run_command(&c, &["set", "foo", "bar2"]).await
  447. );
  448. assert_eq!(Ok("bar2".into()), run_command(&c, &["get", "foo"]).await);
  449. assert_eq!(
  450. Ok(Value::Integer(-1)),
  451. run_command(&c, &["ttl", "foo"]).await
  452. );
  453. }
  454. #[tokio::test]
  455. async fn set_and_get_previous_result() {
  456. let c = create_connection();
  457. assert_eq!(
  458. Ok(Value::Ok),
  459. run_command(&c, &["set", "foo", "bar", "ex", "60"]).await
  460. );
  461. assert_eq!(
  462. Ok("bar".into()),
  463. run_command(&c, &["set", "foo", "bar1", "get"]).await
  464. );
  465. }
  466. #[tokio::test]
  467. async fn set_nx() {
  468. let c = create_connection();
  469. assert_eq!(
  470. Ok(Value::Ok),
  471. run_command(&c, &["set", "foo", "bar", "ex", "60", "nx"]).await
  472. );
  473. assert_eq!(
  474. Ok(Value::Null),
  475. run_command(&c, &["set", "foo", "bar1", "nx"]).await
  476. );
  477. assert_eq!(Ok("bar".into()), run_command(&c, &["get", "foo"]).await);
  478. }
  479. #[tokio::test]
  480. async fn set_xx() {
  481. let c = create_connection();
  482. assert_eq!(
  483. Ok(Value::Null),
  484. run_command(&c, &["set", "foo", "bar1", "ex", "60", "xx"]).await
  485. );
  486. assert_eq!(
  487. Ok(Value::Ok),
  488. run_command(&c, &["set", "foo", "bar2", "ex", "60", "nx"]).await
  489. );
  490. assert_eq!(
  491. Ok(Value::Ok),
  492. run_command(&c, &["set", "foo", "bar3", "ex", "60", "xx"]).await
  493. );
  494. assert_eq!(Ok("bar3".into()), run_command(&c, &["get", "foo"]).await);
  495. }
  496. #[tokio::test]
  497. async fn set_incorrect_params() {
  498. let c = create_connection();
  499. assert_eq!(
  500. Err(Error::NotANumber),
  501. run_command(&c, &["set", "foo", "bar1", "ex", "xx"]).await
  502. );
  503. assert_eq!(
  504. Err(Error::Syntax),
  505. run_command(&c, &["set", "foo", "bar1", "ex"]).await
  506. );
  507. }
  508. #[tokio::test]
  509. async fn getrange() {
  510. let c = create_connection();
  511. let x = run_command(&c, &["set", "foo", "this is a long string"]).await;
  512. assert_eq!(Ok(Value::Ok), x);
  513. assert_eq!(
  514. Ok("this is a long str".into()),
  515. run_command(&c, &["getrange", "foo", "0", "-4"]).await
  516. );
  517. assert_eq!(
  518. Ok("ring".into()),
  519. run_command(&c, &["getrange", "foo", "-4", "-1"]).await
  520. );
  521. assert_eq!(
  522. Ok("".into()),
  523. run_command(&c, &["getrange", "foo", "-4", "1"]).await
  524. );
  525. assert_eq!(
  526. Ok("ring".into()),
  527. run_command(&c, &["getrange", "foo", "-4", "1000000"]).await
  528. );
  529. assert_eq!(
  530. Ok("this is a long string".into()),
  531. run_command(&c, &["getrange", "foo", "-400", "1000000"]).await
  532. );
  533. assert_eq!(
  534. Ok("".into()),
  535. run_command(&c, &["getrange", "foo", "-400", "-1000000"]).await
  536. );
  537. assert_eq!(
  538. Ok("t".into()),
  539. run_command(&c, &["getrange", "foo", "0", "0"]).await
  540. );
  541. assert_eq!(Ok(Value::Null), run_command(&c, &["get", "fox"]).await);
  542. }
  543. #[tokio::test]
  544. async fn getdel() {
  545. let c = create_connection();
  546. let x = run_command(&c, &["set", "foo", "bar"]).await;
  547. assert_eq!(Ok(Value::Ok), x);
  548. assert_eq!(
  549. Ok(Value::Blob("bar".into())),
  550. run_command(&c, &["getdel", "foo"]).await
  551. );
  552. assert_eq!(Ok(Value::Null), run_command(&c, &["get", "foo"]).await);
  553. }
  554. #[tokio::test]
  555. async fn getset() {
  556. let c = create_connection();
  557. let x = run_command(&c, &["set", "foo", "bar"]).await;
  558. assert_eq!(Ok(Value::Ok), x);
  559. assert_eq!(
  560. Ok(Value::Blob("bar".into())),
  561. run_command(&c, &["getset", "foo", "1"]).await
  562. );
  563. assert_eq!(
  564. Ok(Value::Blob("1".into())),
  565. run_command(&c, &["get", "foo"]).await
  566. );
  567. }
  568. #[tokio::test]
  569. async fn strlen() {
  570. let c = create_connection();
  571. let x = run_command(&c, &["set", "foo", "bar"]).await;
  572. assert_eq!(Ok(Value::Ok), x);
  573. let x = run_command(&c, &["strlen", "foo"]).await;
  574. assert_eq!(Ok(Value::Integer(3)), x);
  575. let x = run_command(&c, &["strlen", "foxxo"]).await;
  576. assert_eq!(Ok(Value::Integer(0)), x);
  577. }
  578. #[tokio::test]
  579. async fn wrong_type() {
  580. let c = create_connection();
  581. let _ = run_command(&c, &["hset", "xxx", "key", "foo"]).await;
  582. let _ = run_command(&c, &["incr", "foo"]).await;
  583. let x = run_command(&c, &["strlen", "xxx"]).await;
  584. assert_eq!(Ok(Error::WrongType.into()), x);
  585. let x = run_command(&c, &["get", "xxx"]).await;
  586. assert_eq!(Ok(Error::WrongType.into()), x);
  587. let x = run_command(&c, &["get", "xxx"]).await;
  588. assert_eq!(Ok(Error::WrongType.into()), x);
  589. let x = run_command(&c, &["mget", "xxx", "foo"]).await;
  590. assert_eq!(
  591. Ok(Value::Array(vec![Value::Null, Value::Blob("1".into()),])),
  592. x
  593. );
  594. }
  595. }