string.rs 26 KB

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