key.rs 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719
  1. //! # Key-related command handlers
  2. use super::now;
  3. use crate::{
  4. check_arg,
  5. connection::Connection,
  6. db::scan::Scan,
  7. error::Error,
  8. value::{
  9. bytes_to_int, bytes_to_number, cursor::Cursor, expiration::Expiration, typ::Typ, Value,
  10. },
  11. };
  12. use bytes::Bytes;
  13. use std::{collections::VecDeque, convert::TryInto, str::FromStr};
  14. use tokio::time::Instant;
  15. /// This command copies the value stored at the source key to the destination
  16. /// key.
  17. ///
  18. /// By default, the destination key is created in the logical database used by
  19. /// the connection. The DB option allows specifying an alternative logical
  20. /// database index for the destination key.
  21. ///
  22. /// The command returns an error when the destination key already exists. The
  23. /// REPLACE option removes the destination key before copying the value to it.
  24. pub async fn copy(conn: &Connection, mut args: VecDeque<Bytes>) -> Result<Value, Error> {
  25. let source = args.pop_front().ok_or(Error::Syntax)?;
  26. let destination = args.pop_front().ok_or(Error::Syntax)?;
  27. let target_db = if !args.is_empty() && check_arg!(args, 0, "DB") {
  28. let _ = args.pop_front();
  29. let db = args.pop_front().ok_or(Error::Syntax)?;
  30. Some(
  31. conn.all_connections()
  32. .get_databases()
  33. .get(bytes_to_int(&db)?)?
  34. .clone(),
  35. )
  36. } else {
  37. None
  38. };
  39. let replace = match args
  40. .pop_front()
  41. .map(|m| String::from_utf8_lossy(&m).to_uppercase())
  42. {
  43. Some(value) => {
  44. if value == "REPLACE" {
  45. true
  46. } else {
  47. return Err(Error::Syntax);
  48. }
  49. }
  50. None => false,
  51. };
  52. let result = if conn
  53. .db()
  54. .copy(source, destination, replace.into(), target_db)?
  55. {
  56. 1
  57. } else {
  58. 0
  59. };
  60. Ok(result.into())
  61. }
  62. /// Removes the specified keys. A key is ignored if it does not exist.
  63. pub async fn del(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  64. let keys = args.into_iter().collect::<Vec<_>>();
  65. Ok(conn.db().del(&keys))
  66. }
  67. /// Returns if key exists.
  68. pub async fn exists(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  69. let keys = args.into_iter().collect::<Vec<_>>();
  70. Ok(conn.db().exists(&keys).into())
  71. }
  72. async fn expire_ex(
  73. command: &[u8],
  74. is_milliseconds: bool,
  75. conn: &Connection,
  76. mut args: VecDeque<Bytes>,
  77. ) -> Result<Value, Error> {
  78. let key = args.pop_front().ok_or(Error::Syntax)?;
  79. let expiration = args.pop_front().ok_or(Error::Syntax)?;
  80. let expires_at = Expiration::new(&expiration, is_milliseconds, false, command)?;
  81. if expires_at.is_negative {
  82. // Delete key right away
  83. return Ok(conn.db().del(&[key]));
  84. }
  85. let opts = args.into_iter().collect::<Vec<_>>();
  86. conn.db()
  87. .set_ttl(&key, expires_at.try_into()?, opts.try_into()?)
  88. }
  89. /// Set a timeout on key. After the timeout has expired, the key will
  90. /// automatically be deleted. A key with an associated timeout is often said to
  91. /// be volatile in Redis terminology.
  92. ///
  93. /// The timeout will only be cleared by commands that delete or overwrite the
  94. /// contents of the key, including DEL, SET, GETSET and all the *STORE commands.
  95. /// This means that all the operations that conceptually alter the value stored
  96. /// at the key without replacing it with a new one will leave the timeout
  97. /// untouched. For instance, incrementing the value of a key with INCR, pushing
  98. /// a new value into a list with LPUSH, or altering the field value of a hash
  99. /// with HSET are all operations that will leave the timeout untouched.
  100. ///
  101. /// The timeout can also be cleared, turning the key back into a persistent key,
  102. /// using the PERSIST command.
  103. ///
  104. /// If a key is renamed with RENAME, the associated time to live is transferred
  105. /// to the new key name.
  106. ///
  107. /// If a key is overwritten by RENAME, like in the case of an existing key Key_A
  108. /// that is overwritten by a call like RENAME Key_B Key_A, it does not matter if
  109. /// the original Key_A had a timeout associated or not, the new key Key_A will
  110. /// inherit all the characteristics of Key_B.
  111. ///
  112. /// Note that calling EXPIRE/PEXPIRE with a non-positive timeout or
  113. /// EXPIREAT/PEXPIREAT with a time in the past will result in the key being
  114. /// deleted rather than expired
  115. pub async fn expire(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  116. expire_ex(b"EXPIRE", false, conn, args).await
  117. }
  118. /// This command works exactly like EXPIRE but the time to live of the key is
  119. /// specified in milliseconds instead of seconds.
  120. pub async fn pexpire(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  121. expire_ex(b"PEXPIRE", true, conn, args).await
  122. }
  123. /// Returns the string representation of the type of the value stored at key.
  124. /// The different types that can be returned are: string, list, set, zset, hash
  125. /// and stream.
  126. pub async fn data_type(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  127. Ok(conn.db().get_data_type(&args[0]).into())
  128. }
  129. /// EXPIREAT has the same effect and semantic as EXPIRE, but instead of specifying the number of
  130. /// seconds representing the TTL (time to live), it takes an absolute Unix timestamp (seconds since
  131. /// January 1, 1970). A timestamp in the past will delete the key immediately.
  132. pub async fn expire_at(conn: &Connection, mut args: VecDeque<Bytes>) -> Result<Value, Error> {
  133. let key = args.pop_front().ok_or(Error::Syntax)?;
  134. let expiration = args.pop_front().ok_or(Error::Syntax)?;
  135. let expires_at = Expiration::new(&expiration, false, true, b"EXPIREAT")?;
  136. if expires_at.is_negative {
  137. // Delete key right away
  138. return Ok(conn.db().del(&[key]));
  139. }
  140. conn.db().set_ttl(
  141. &key,
  142. expires_at.try_into()?,
  143. args.into_iter().collect::<Vec<_>>().try_into()?,
  144. )
  145. }
  146. /// PEXPIREAT has the same effect and semantic as EXPIREAT, but the Unix time at
  147. /// which the key will expire is specified in milliseconds instead of seconds.
  148. pub async fn pexpire_at(conn: &Connection, mut args: VecDeque<Bytes>) -> Result<Value, Error> {
  149. let key = args.pop_front().ok_or(Error::Syntax)?;
  150. let expiration = args.pop_front().ok_or(Error::Syntax)?;
  151. let expires_at = Expiration::new(&expiration, true, true, b"PEXPIREAT")?;
  152. if expires_at.is_negative {
  153. // Delete key right away
  154. return Ok(conn.db().del(&[key]));
  155. }
  156. conn.db().set_ttl(
  157. &key,
  158. expires_at.try_into()?,
  159. args.into_iter().collect::<Vec<_>>().try_into()?,
  160. )
  161. }
  162. /// PEXPIRETIME has the same semantic as EXPIRETIME, but returns the absolute
  163. /// Unix expiration timestamp in milliseconds instead of seconds.
  164. pub async fn p_expire_time(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  165. let ttl = match conn.db().ttl(&args[0]) {
  166. Some(Some(ttl)) => {
  167. // Is there a better way? There should be!
  168. let secs: i64 = (ttl - Instant::now()).as_millis() as i64;
  169. secs + 1 + (now().as_millis() as i64)
  170. }
  171. Some(None) => -1,
  172. None => -2,
  173. };
  174. Ok(ttl.into())
  175. }
  176. /// Returns the absolute Unix timestamp (since January 1, 1970) in seconds at which the given key
  177. /// will expire.
  178. pub async fn expire_time(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  179. let ttl = match conn.db().ttl(&args[0]) {
  180. Some(Some(ttl)) => {
  181. // Is there a better way? There should be!
  182. let secs: i64 = (ttl - Instant::now()).as_secs() as i64;
  183. secs + 1 + (now().as_secs() as i64)
  184. }
  185. Some(None) => -1,
  186. None => -2,
  187. };
  188. Ok(ttl.into())
  189. }
  190. /// Returns all keys that matches a given pattern
  191. pub async fn keys(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  192. Ok(conn.db().get_all_keys(&args[0])?.into())
  193. }
  194. /// Move key from the currently selected database (see SELECT) to the specified
  195. /// destination database. When key already exists in the destination database,
  196. /// or it does not exist in the source database, it does nothing. It is possible
  197. /// to use MOVE as a locking primitive because of this.
  198. pub async fn move_key(conn: &Connection, mut args: VecDeque<Bytes>) -> Result<Value, Error> {
  199. let key = args.pop_front().ok_or(Error::Syntax)?;
  200. let target_db = args.pop_front().ok_or(Error::Syntax)?;
  201. let target_db = conn
  202. .all_connections()
  203. .get_databases()
  204. .get(bytes_to_int(&target_db)?)?;
  205. Ok(if conn.db().move_key(key, target_db)? {
  206. 1.into()
  207. } else {
  208. 0.into()
  209. })
  210. }
  211. /// Return information about the object/value stored in the database
  212. pub async fn object(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  213. let subcommand = String::from_utf8_lossy(&args[0]).to_lowercase();
  214. let expected_args = if subcommand == "help" { 1 } else { 2 };
  215. if expected_args != args.len() {
  216. return Err(Error::SubCommandNotFound(
  217. subcommand,
  218. String::from_utf8_lossy(&args[0]).into(),
  219. ));
  220. }
  221. match subcommand.as_str() {
  222. "help" => super::help::object(),
  223. "refcount" => Ok(if conn.db().exists(&[args[1].clone()]) == 1 {
  224. 1.into()
  225. } else {
  226. Value::Null
  227. }),
  228. _ => Err(Error::SubCommandNotFound(
  229. subcommand,
  230. String::from_utf8_lossy(&args[0]).into(),
  231. )),
  232. }
  233. }
  234. /// Return a random key from the currently selected database.
  235. pub async fn randomkey(conn: &Connection, _: VecDeque<Bytes>) -> Result<Value, Error> {
  236. conn.db().randomkey()
  237. }
  238. /// Renames key to newkey. It returns an error when key does not exist. If
  239. /// newkey already exists it is overwritten, when this happens RENAME executes
  240. /// an implicit DEL operation, so if the deleted key contains a very big value
  241. /// it may cause high latency even if RENAME itself is usually a constant-time
  242. /// operation.
  243. pub async fn rename(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  244. if conn.db().rename(&args[0], &args[1], true.into())? {
  245. Ok(Value::Ok)
  246. } else {
  247. Ok(0.into())
  248. }
  249. }
  250. /// Renames key to newkey if newkey does not yet exist. It returns an error when
  251. /// key does not exist.
  252. pub async fn renamenx(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  253. if conn.db().rename(&args[0], &args[1], false.into())? {
  254. Ok(1.into())
  255. } else {
  256. Ok(0.into())
  257. }
  258. }
  259. /// SCAN is a cursor based iterator. This means that at every call of the
  260. /// command, the server returns an updated cursor that the user needs to use as
  261. /// the cursor argument in the next call.
  262. pub async fn scan(conn: &Connection, mut args: VecDeque<Bytes>) -> Result<Value, Error> {
  263. let cursor = args.pop_front().ok_or(Error::Syntax)?;
  264. let cursor: Cursor = (&cursor).try_into()?;
  265. let mut pattern = None;
  266. let mut count = None;
  267. let mut typ = None;
  268. loop {
  269. let key = if let Some(key) = args.pop_front() {
  270. key
  271. } else {
  272. break;
  273. };
  274. let value = args.pop_front().ok_or(Error::Syntax)?;
  275. match String::from_utf8_lossy(&key).to_uppercase().as_str() {
  276. "MATCH" => pattern = Some(value),
  277. "COUNT" => {
  278. count = Some(
  279. bytes_to_number(&value)
  280. .map_err(|_| Error::InvalidArgsCount("SCAN".to_owned()))?,
  281. )
  282. }
  283. "TYPE" => {
  284. typ = Some(
  285. Typ::from_str(&String::from_utf8_lossy(&value)).map_err(|_| Error::Syntax)?,
  286. )
  287. }
  288. _ => return Err(Error::Syntax),
  289. }
  290. }
  291. Ok(conn.db().scan(cursor, pattern, count, typ)?.into())
  292. }
  293. /// Returns the remaining time to live of a key that has a timeout. This introspection capability
  294. /// allows a Redis client to check how many seconds a given key will continue to be part of the
  295. /// dataset.
  296. pub async fn ttl(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  297. let ttl = match conn.db().ttl(&args[0]) {
  298. Some(Some(ttl)) => {
  299. let ttl = ttl - Instant::now();
  300. ttl.as_secs() as i64 + 1
  301. }
  302. Some(None) => -1,
  303. None => -2,
  304. };
  305. Ok(ttl.into())
  306. }
  307. /// Like TTL this command returns the remaining time to live of a key that has
  308. /// an expire set, with the sole difference that TTL returns the amount of
  309. /// remaining time in seconds while PTTL returns it in milliseconds.
  310. pub async fn pttl(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  311. let ttl = match conn.db().ttl(&args[0]) {
  312. Some(Some(ttl)) => {
  313. let ttl = ttl - Instant::now();
  314. ttl.as_millis() as i64
  315. }
  316. Some(None) => -1,
  317. None => -2,
  318. };
  319. Ok(ttl.into())
  320. }
  321. /// Remove the existing timeout on key, turning the key from volatile (a key with an expire set) to
  322. /// persistent (a key that will never expire as no timeout is associated).
  323. pub async fn persist(conn: &Connection, args: VecDeque<Bytes>) -> Result<Value, Error> {
  324. Ok(conn.db().persist(&args[0]))
  325. }
  326. #[cfg(test)]
  327. mod test {
  328. use std::convert::TryInto;
  329. use crate::{
  330. cmd::test::{create_connection, run_command},
  331. error::Error,
  332. value::Value,
  333. };
  334. #[tokio::test]
  335. async fn del() {
  336. let c = create_connection();
  337. assert_eq!(
  338. Ok(Value::Integer(1)),
  339. run_command(&c, &["incr", "foo"]).await
  340. );
  341. assert_eq!(
  342. Ok(Value::Integer(1)),
  343. run_command(&c, &["exists", "foo"]).await
  344. );
  345. assert_eq!(
  346. Ok(Value::Integer(1)),
  347. run_command(&c, &["del", "foo"]).await
  348. );
  349. assert_eq!(
  350. Ok(Value::Integer(0)),
  351. run_command(&c, &["del", "foo"]).await
  352. );
  353. assert_eq!(
  354. Ok(Value::Integer(0)),
  355. run_command(&c, &["exists", "foo"]).await
  356. );
  357. }
  358. #[tokio::test]
  359. async fn _type() {
  360. let c = create_connection();
  361. assert_eq!(
  362. Ok(Value::Integer(1)),
  363. run_command(&c, &["incr", "foo"]).await
  364. );
  365. assert_eq!(
  366. Ok(Value::Integer(1)),
  367. run_command(&c, &["hset", "hash", "foo", "bar"]).await
  368. );
  369. assert_eq!(
  370. Ok(Value::Integer(2)),
  371. run_command(&c, &["sadd", "set", "foo", "bar"]).await
  372. );
  373. assert_eq!(Ok("set".into()), run_command(&c, &["type", "set"]).await);
  374. assert_eq!(Ok("hash".into()), run_command(&c, &["type", "hash"]).await);
  375. assert_eq!(Ok("string".into()), run_command(&c, &["type", "foo"]).await);
  376. }
  377. #[tokio::test]
  378. async fn expire_and_persist() {
  379. let c = create_connection();
  380. assert_eq!(
  381. Ok(Value::Integer(1)),
  382. run_command(&c, &["incr", "foo"]).await
  383. );
  384. assert_eq!(
  385. Ok(Value::Integer(1)),
  386. run_command(&c, &["pexpire", "foo", "6000"]).await
  387. );
  388. match run_command(&c, &["pttl", "foo"]).await {
  389. Ok(Value::Integer(n)) => {
  390. assert!(n < 6000 && n > 5900);
  391. }
  392. _ => unreachable!(),
  393. };
  394. assert_eq!(
  395. Ok(Value::Integer(1)),
  396. run_command(&c, &["persist", "foo"]).await
  397. );
  398. assert_eq!(
  399. Ok(Value::Integer(-1)),
  400. run_command(&c, &["pttl", "foo"]).await
  401. );
  402. assert_eq!(
  403. Ok(Value::Integer(1)),
  404. run_command(&c, &["del", "foo"]).await
  405. );
  406. assert_eq!(
  407. Ok(Value::Integer(-2)),
  408. run_command(&c, &["pttl", "foo"]).await
  409. );
  410. }
  411. #[tokio::test]
  412. async fn expire2() {
  413. let c = create_connection();
  414. assert_eq!(
  415. Ok(Value::Integer(1)),
  416. run_command(&c, &["incr", "foo"]).await
  417. );
  418. assert_eq!(
  419. Err(Error::InvalidExpire("pexpire".to_owned())),
  420. run_command(&c, &["pexpire", "foo", "9223372036854770000"]).await
  421. );
  422. }
  423. #[tokio::test]
  424. async fn copy() {
  425. let c = create_connection();
  426. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  427. assert_eq!(Ok(1.into()), run_command(&c, &["copy", "foo", "bar"]).await);
  428. assert_eq!(Ok(2.into()), run_command(&c, &["incr", "foo"]).await);
  429. assert_eq!(Ok(0.into()), run_command(&c, &["copy", "foo", "bar"]).await);
  430. assert_eq!(
  431. Ok(Value::Array(vec!["2".into(), "1".into()])),
  432. run_command(&c, &["mget", "foo", "bar"]).await
  433. );
  434. assert_eq!(
  435. Ok(1.into()),
  436. run_command(&c, &["copy", "foo", "bar", "replace"]).await
  437. );
  438. assert_eq!(
  439. Ok(Value::Array(vec!["2".into(), "2".into()])),
  440. run_command(&c, &["mget", "foo", "bar"]).await
  441. );
  442. }
  443. #[tokio::test]
  444. async fn copy_different_db() {
  445. let c = create_connection();
  446. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  447. assert_eq!(
  448. Ok(1.into()),
  449. run_command(&c, &["copy", "foo", "bar", "db", "2"]).await
  450. );
  451. assert_eq!(Ok(2.into()), run_command(&c, &["incr", "foo"]).await);
  452. assert_eq!(
  453. Ok(0.into()),
  454. run_command(&c, &["copy", "foo", "bar", "db", "2"]).await
  455. );
  456. assert_eq!(
  457. Ok(Value::Array(vec!["2".into(), Value::Null])),
  458. run_command(&c, &["mget", "foo", "bar"]).await
  459. );
  460. assert_eq!(Ok(Value::Ok), run_command(&c, &["select", "2"]).await);
  461. assert_eq!(
  462. Ok(Value::Array(vec![Value::Null, "1".into()])),
  463. run_command(&c, &["mget", "foo", "bar"]).await
  464. );
  465. assert_eq!(Ok(Value::Ok), run_command(&c, &["select", "0"]).await);
  466. assert_eq!(
  467. Ok(1.into()),
  468. run_command(&c, &["copy", "foo", "bar", "db", "2", "replace"]).await
  469. );
  470. assert_eq!(
  471. Ok(Value::Array(vec!["2".into(), Value::Null])),
  472. run_command(&c, &["mget", "foo", "bar"]).await
  473. );
  474. assert_eq!(Ok(Value::Ok), run_command(&c, &["select", "2"]).await);
  475. assert_eq!(
  476. Ok(Value::Array(vec![Value::Null, "2".into()])),
  477. run_command(&c, &["mget", "foo", "bar"]).await
  478. );
  479. }
  480. #[tokio::test]
  481. async fn copy_same_db() {
  482. let c = create_connection();
  483. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  484. assert_eq!(
  485. Err(Error::SameEntry),
  486. run_command(&c, &["copy", "foo", "foo"]).await
  487. );
  488. assert_eq!(
  489. Err(Error::SameEntry),
  490. run_command(&c, &["copy", "foo", "foo", "db", "0"]).await
  491. );
  492. }
  493. #[tokio::test]
  494. async fn _move() {
  495. let c = create_connection();
  496. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  497. assert_eq!(Ok(1.into()), run_command(&c, &["move", "foo", "2"]).await);
  498. assert_eq!(Ok(Value::Null), run_command(&c, &["get", "foo"]).await);
  499. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  500. assert_eq!(Ok(0.into()), run_command(&c, &["move", "foo", "2"]).await);
  501. assert_eq!(Ok(Value::Ok), run_command(&c, &["select", "2"]).await);
  502. assert_eq!(Ok("1".into()), run_command(&c, &["get", "foo"]).await);
  503. }
  504. #[tokio::test]
  505. async fn _move_same_db() {
  506. let c = create_connection();
  507. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  508. assert_eq!(
  509. Err(Error::SameEntry),
  510. run_command(&c, &["move", "foo", "0"]).await
  511. );
  512. }
  513. #[tokio::test]
  514. async fn rename() {
  515. let c = create_connection();
  516. assert_eq!(Ok(1.into()), run_command(&c, &["incr", "foo"]).await);
  517. assert_eq!(
  518. Ok(Value::Ok),
  519. run_command(&c, &["rename", "foo", "bar-1650"]).await
  520. );
  521. assert_eq!(
  522. Ok(Value::Ok),
  523. run_command(&c, &["rename", "bar-1650", "xxx"]).await
  524. );
  525. assert_eq!(
  526. Err(Error::NotFound),
  527. run_command(&c, &["rename", "foo", "bar"]).await
  528. );
  529. }
  530. #[tokio::test]
  531. async fn renamenx() {
  532. let c = create_connection();
  533. assert_eq!(Ok(1i64.into()), run_command(&c, &["incr", "foo"]).await);
  534. assert_eq!(
  535. Ok(1i64.into()),
  536. run_command(&c, &["renamenx", "foo", "bar-1650"]).await
  537. );
  538. assert_eq!(
  539. Ok(1i64.into()),
  540. run_command(&c, &["renamenx", "bar-1650", "xxx"]).await
  541. );
  542. assert_eq!(
  543. Err(Error::NotFound),
  544. run_command(&c, &["renamenx", "foo", "bar"]).await
  545. );
  546. assert_eq!(
  547. Ok(Value::Ok),
  548. run_command(&c, &["set", "bar-1650", "xxx"]).await
  549. );
  550. assert_eq!(
  551. Ok(0i64.into()),
  552. run_command(&c, &["renamenx", "xxx", "bar-1650"]).await
  553. );
  554. assert_eq!(
  555. Ok(Value::Blob("1".into())),
  556. run_command(&c, &["get", "xxx"]).await
  557. );
  558. }
  559. #[tokio::test]
  560. async fn scan_no_args() {
  561. let c = create_connection();
  562. for i in 1..100 {
  563. assert_eq!(
  564. Ok(1.into()),
  565. run_command(&c, &["incr", &format!("foo-{}", i)]).await
  566. );
  567. }
  568. let r: Vec<Value> = run_command(&c, &["scan", "0"])
  569. .await
  570. .unwrap()
  571. .try_into()
  572. .unwrap();
  573. let values: Vec<Value> = r[1].clone().try_into().unwrap();
  574. assert_eq!(2, r.len());
  575. assert_eq!(10, values.len());
  576. }
  577. #[tokio::test]
  578. async fn scan_with_count_match() {
  579. let c = create_connection();
  580. for i in 1..100 {
  581. assert_eq!(
  582. Ok(1.into()),
  583. run_command(&c, &["incr", &format!("foo-{}", i)]).await
  584. );
  585. }
  586. let r: Vec<Value> = run_command(&c, &["scan", "0", "match", "foo-1*", "count", "50"])
  587. .await
  588. .unwrap()
  589. .try_into()
  590. .unwrap();
  591. let values: Vec<Value> = r[1].clone().try_into().unwrap();
  592. assert_eq!(2, r.len());
  593. assert_eq!(11, values.len());
  594. }
  595. #[tokio::test]
  596. async fn scan_with_type_1() {
  597. let c = create_connection();
  598. for i in 1..100 {
  599. assert_eq!(
  600. Ok(1.into()),
  601. run_command(&c, &["incr", &format!("foo-{}", i)]).await
  602. );
  603. }
  604. let r: Vec<Value> = run_command(&c, &["scan", "0", "type", "hash"])
  605. .await
  606. .unwrap()
  607. .try_into()
  608. .unwrap();
  609. let values: Vec<Value> = r[1].clone().try_into().unwrap();
  610. assert_eq!(2, r.len());
  611. assert_eq!(0, values.len());
  612. }
  613. #[tokio::test]
  614. async fn scan_with_type_2() {
  615. let c = create_connection();
  616. for i in 1..100 {
  617. assert_eq!(
  618. Ok(1.into()),
  619. run_command(&c, &["incr", &format!("foo-{}", i)]).await
  620. );
  621. }
  622. let r: Vec<Value> = run_command(&c, &["scan", "0", "type", "!hash"])
  623. .await
  624. .unwrap()
  625. .try_into()
  626. .unwrap();
  627. let values: Vec<Value> = r[1].clone().try_into().unwrap();
  628. assert_eq!(2, r.len());
  629. assert_eq!(10, values.len());
  630. }
  631. #[tokio::test]
  632. async fn scan_with_count() {
  633. let c = create_connection();
  634. for i in 1..100 {
  635. assert_eq!(
  636. Ok(1.into()),
  637. run_command(&c, &["incr", &format!("foo-{}", i)]).await
  638. );
  639. }
  640. let r: Vec<Value> = run_command(&c, &["scan", "0", "count", "50"])
  641. .await
  642. .unwrap()
  643. .try_into()
  644. .unwrap();
  645. let values: Vec<Value> = r[1].clone().try_into().unwrap();
  646. assert_eq!(2, r.len());
  647. assert_eq!(50, values.len());
  648. }
  649. }