123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678 |
- //! # String command handlers
- use super::now;
- use crate::{
- check_arg, connection::Connection, db::Override, error::Error, try_get_arg,
- value::bytes_to_number, value::Value,
- };
- use bytes::Bytes;
- use std::{
- cmp::min,
- convert::TryInto,
- ops::{Bound, Neg},
- };
- use tokio::time::Duration;
- /// If key already exists and is a string, this command appends the value at the
- /// end of the string. If key does not exist it is created and set as an empty
- /// string, so APPEND will be similar to SET in this special case.
- pub async fn append(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- conn.db().append(&args[1], &args[2])
- }
- /// Increments the number stored at key by one. If the key does not exist, it is set to 0 before
- /// performing the operation. An error is returned if the key contains a value of the wrong type or
- /// contains a string that can not be represented as integer. This operation is limited to 64 bit
- /// signed integers.
- pub async fn incr(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- conn.db().incr(&args[1], 1_i64)
- }
- /// Increments the number stored at key by increment. If the key does not exist, it is set to 0
- /// before performing the operation. An error is returned if the key contains a value of the wrong
- /// type or contains a string that can not be represented as integer. This operation is limited to
- /// 64 bit signed integers.
- pub async fn incr_by(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- let by: i64 = bytes_to_number(&args[2])?;
- conn.db().incr(&args[1], by)
- }
- /// Increment the string representing a floating point number stored at key by the specified
- /// increment. By using a negative increment value, the result is that the value stored at the key
- /// is decremented (by the obvious properties of addition). If the key does not exist, it is set to
- /// 0 before performing the operation.
- pub async fn incr_by_float(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- let by: f64 = bytes_to_number(&args[2])?;
- conn.db().incr(&args[1], by)
- }
- /// Decrements the number stored at key by one. If the key does not exist, it is set to 0 before
- /// performing the operation. An error is returned if the key contains a value of the wrong type or
- /// contains a string that can not be represented as integer. This operation is limited to 64 bit
- /// signed integers.
- pub async fn decr(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- conn.db().incr(&args[1], -1_i64)
- }
- /// Decrements the number stored at key by decrement. If the key does not exist, it is set to 0
- /// before performing the operation. An error is returned if the key contains a value of the wrong
- /// type or contains a string that can not be represented as integer. This operation is limited to
- /// 64 bit signed integers.
- pub async fn decr_by(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- let by: i64 = (&Value::Blob(args[2].to_owned())).try_into()?;
- conn.db().incr(&args[1], by.neg())
- }
- /// Get the value of key. If the key does not exist the special value nil is returned. An error is
- /// returned if the value stored at key is not a string, because GET only handles string values.
- pub async fn get(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().get(&args[1]))
- }
- /// Get the value of key and optionally set its expiration. GETEX is similar to
- /// GET, but is a write command with additional options.
- pub async fn getex(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- let (expire_at, persist) = match args.len() {
- 2 => (None, false),
- 3 => {
- if check_arg!(args, 2, "PERSIST") {
- (None, Default::default())
- } else {
- return Err(Error::Syntax);
- }
- }
- 4 => {
- let expires_in: i64 = bytes_to_number(&args[3])?;
- if expires_in <= 0 {
- // Delete key right away after returning
- return Ok(conn.db().getdel(&args[1]));
- }
- let expires_in: u64 = expires_in as u64;
- match String::from_utf8_lossy(&args[2]).to_uppercase().as_str() {
- "EX" => (Some(Duration::from_secs(expires_in)), false),
- "PX" => (Some(Duration::from_millis(expires_in)), false),
- "EXAT" => (
- Some(Duration::from_secs(expires_in - now().as_secs())),
- false,
- ),
- "PXAT" => (
- Some(Duration::from_millis(expires_in - now().as_millis() as u64)),
- false,
- ),
- "PERSIST" => (None, Default::default()),
- _ => return Err(Error::Syntax),
- }
- }
- _ => return Err(Error::Syntax),
- };
- Ok(conn.db().getex(&args[1], expire_at, persist))
- }
- /// Get the value of key. If the key does not exist the special value nil is returned. An error is
- /// returned if the value stored at key is not a string, because GET only handles string values.
- pub async fn getrange(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- match conn.db().get(&args[1]) {
- Value::Blob(binary) => {
- let start = bytes_to_number::<i64>(&args[2])?;
- let end = bytes_to_number::<i64>(&args[3])?;
- let len = binary.len();
- // resolve negative positions
- let start: usize = if start < 0 {
- (start + len as i64).try_into().unwrap_or(0)
- } else {
- start.try_into().expect("Positive number")
- };
- // resolve negative positions
- let end: usize = if end < 0 {
- if let Ok(val) = (end + len as i64).try_into() {
- val
- } else {
- return Ok("".into());
- }
- } else {
- end.try_into().expect("Positive number")
- };
- let end = min(end, len - 1);
- if end < start {
- return Ok("".into());
- }
- Ok(Value::Blob(
- binary.slice((Bound::Included(start), Bound::Included(end))),
- ))
- }
- Value::Null => Ok("".into()),
- _ => Err(Error::WrongType),
- }
- }
- /// Get the value of key and delete the key. This command is similar to GET, except for the fact
- /// that it also deletes the key on success (if and only if the key's value type is a string).
- pub async fn getdel(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().getdel(&args[1]))
- }
- /// Atomically sets key to value and returns the old value stored at key. Returns an error when key
- /// exists but does not hold a string value. Any previous time to live associated with the key is
- /// discarded on successful SET operation.
- pub async fn getset(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().getset(&args[1], &Value::Blob(args[2].to_owned())))
- }
- /// Returns the values of all specified keys. For every key that does not hold a string value or
- /// does not exist, the special value nil is returned. Because of this, the operation never fails.
- pub async fn mget(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().get_multi(&args[1..]))
- }
- /// Set key to hold the string value. If key already holds a value, it is overwritten, regardless
- /// of its type. Any previous time to live associated with the key is discarded on successful SET
- /// operation.
- pub async fn set(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- match args.len() {
- 3 => Ok(conn
- .db()
- .set(&args[1], Value::Blob(args[2].to_owned()), None)),
- 4 | 5 | 6 | 7 => {
- let mut offset = 3;
- let mut expiration = None;
- let mut override_value = Override::Yes;
- let mut return_previous = false;
- let mut keep_ttl = false;
- match String::from_utf8_lossy(&args[offset])
- .to_uppercase()
- .as_str()
- {
- "EX" => {
- expiration = Some(Duration::from_secs(bytes_to_number::<u64>(try_get_arg!(
- args, 4
- ))?));
- offset += 2;
- }
- "PX" => {
- expiration = Some(Duration::from_millis(bytes_to_number::<u64>(
- try_get_arg!(args, 4),
- )?));
- offset += 2;
- }
- "EXAT" => {
- expiration = Some(Duration::from_secs(
- bytes_to_number::<u64>(try_get_arg!(args, 4))? - now().as_secs(),
- ));
- offset += 2;
- }
- "PXAT" => {
- expiration = Some(Duration::from_millis(
- bytes_to_number::<u64>(try_get_arg!(args, 4))? - (now().as_millis() as u64),
- ));
- offset += 2;
- }
- "KEEPTTL" => {
- keep_ttl = true;
- offset += 1;
- }
- "NX" | "XX" | "GET" => {}
- _ => return Err(Error::Syntax),
- };
- if offset < args.len() {
- match String::from_utf8_lossy(&args[offset])
- .to_uppercase()
- .as_str()
- {
- "NX" => {
- override_value = Override::No;
- offset += 1;
- }
- "XX" => {
- override_value = Override::Only;
- offset += 1;
- }
- "GET" => {}
- _ => return Err(Error::Syntax),
- };
- }
- if offset < args.len() {
- if String::from_utf8_lossy(&args[offset])
- .to_uppercase()
- .as_str()
- == "GET"
- {
- return_previous = true;
- } else {
- return Err(Error::Syntax);
- }
- }
- Ok(
- match conn.db().set_advanced(
- &args[1],
- Value::Blob(args[2].to_owned()),
- expiration,
- override_value,
- keep_ttl,
- return_previous,
- ) {
- Value::Integer(1) => Value::Ok,
- Value::Integer(0) => Value::Null,
- any_return => any_return,
- },
- )
- }
- _ => Err(Error::Syntax),
- }
- }
- /// Sets the given keys to their respective values. MSET replaces existing
- /// values with new values, just as regular SET. See MSETNX if you don't want to
- /// overwrite existing values. MSET is atomic, so all given keys are set at
- /// once.
- ///
- /// It is not possible for clients to see that some of the keys were
- /// updated while others are unchanged.
- pub async fn mset(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().multi_set(&args[1..], true))
- }
- /// Sets the given keys to their respective values. MSETNX will not perform any
- /// operation at all even if just a single key already exists.
- ///
- /// Because of this semantic MSETNX can be used in order to set different keys
- /// representing different fields of an unique logic object in a way that
- /// ensures that either all the fields or none at all are set.
- ///
- /// MSETNX is atomic, so all given keys are set at once. It is not possible for
- /// clients to see that some of the keys were updated while others are
- /// unchanged.
- pub async fn msetnx(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().multi_set(&args[1..], false))
- }
- /// Set key to hold the string value and set key to timeout after a given number of seconds. This
- /// command is equivalent to executing the following commands:
- ///
- /// SET mykey value
- /// EXPIRE mykey seconds
- pub async fn setex(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- let ttl = if check_arg!(args, 0, "SETEX") {
- Duration::from_secs(bytes_to_number(&args[2])?)
- } else {
- Duration::from_millis(bytes_to_number(&args[2])?)
- };
- Ok(conn
- .db()
- .set(&args[1], Value::Blob(args[2].to_owned()), Some(ttl)))
- }
- /// Set key to hold string value if key does not exist. In that case, it is
- /// equal to SET. When key already holds a value, no operation is performed.
- /// SETNX is short for "SET if Not eXists".
- pub async fn setnx(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- Ok(conn.db().set_advanced(
- &args[1],
- Value::Blob(args[2].to_owned()),
- None,
- Override::No,
- false,
- false,
- ))
- }
- /// Returns the length of the string value stored at key. An error is returned when key holds a
- /// non-string value.
- pub async fn strlen(conn: &Connection, args: &[Bytes]) -> Result<Value, Error> {
- match conn.db().get(&args[1]) {
- Value::Blob(x) => Ok(x.len().into()),
- Value::String(x) => Ok(x.len().into()),
- Value::Null => Ok(0.into()),
- _ => Ok(Error::WrongType.into()),
- }
- }
- #[cfg(test)]
- mod test {
- use crate::{
- cmd::test::{create_connection, run_command},
- error::Error,
- value::Value,
- };
- #[tokio::test]
- async fn append() {
- let c = create_connection();
- assert_eq!(
- Ok(5.into()),
- run_command(&c, &["append", "foo", "cesar"]).await,
- );
- assert_eq!(
- Ok(10.into()),
- run_command(&c, &["append", "foo", "rodas"]).await,
- );
- let _ = run_command(&c, &["hset", "hash", "foo", "bar"]).await;
- assert_eq!(
- Err(Error::WrongType),
- run_command(&c, &["append", "hash", "rodas"]).await,
- );
- }
- #[tokio::test]
- async fn incr() {
- let c = create_connection();
- let r = run_command(&c, &["incr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(1)), r);
- let r = run_command(&c, &["incr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(2)), r);
- let x = run_command(&c, &["get", "foo"]).await;
- assert_eq!(Ok(Value::Blob("2".into())), x);
- }
- #[tokio::test]
- async fn incr_do_not_affect_ttl() {
- let c = create_connection();
- let r = run_command(&c, &["incr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(1)), r);
- let r = run_command(&c, &["expire", "foo", "60"]).await;
- assert_eq!(Ok(Value::Integer(1)), r);
- let r = run_command(&c, &["ttl", "foo"]).await;
- assert_eq!(Ok(Value::Integer(59)), r);
- let r = run_command(&c, &["incr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(2)), r);
- let r = run_command(&c, &["ttl", "foo"]).await;
- assert_eq!(Ok(Value::Integer(59)), r);
- }
- #[tokio::test]
- async fn decr() {
- let c = create_connection();
- let r = run_command(&c, &["decr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(-1)), r);
- let r = run_command(&c, &["decr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(-2)), r);
- let x = run_command(&c, &["get", "foo"]).await;
- assert_eq!(Ok(Value::Blob("-2".into())), x);
- }
- #[tokio::test]
- async fn decr_do_not_affect_ttl() {
- let c = create_connection();
- let r = run_command(&c, &["decr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(-1)), r);
- let r = run_command(&c, &["expire", "foo", "60"]).await;
- assert_eq!(Ok(Value::Integer(1)), r);
- let r = run_command(&c, &["ttl", "foo"]).await;
- assert_eq!(Ok(Value::Integer(59)), r);
- let r = run_command(&c, &["decr", "foo"]).await;
- assert_eq!(Ok(Value::Integer(-2)), r);
- let r = run_command(&c, &["ttl", "foo"]).await;
- assert_eq!(Ok(Value::Integer(59)), r);
- }
- #[tokio::test]
- async fn setnx() {
- let c = create_connection();
- assert_eq!(
- Ok(1.into()),
- run_command(&c, &["setnx", "foo", "bar"]).await
- );
- assert_eq!(
- Ok(0.into()),
- run_command(&c, &["setnx", "foo", "barx"]).await
- );
- assert_eq!(
- Ok(Value::Array(vec!["bar".into()])),
- run_command(&c, &["mget", "foo"]).await
- );
- }
- #[tokio::test]
- async fn mset() {
- let c = create_connection();
- let x = run_command(&c, &["mset", "foo", "bar", "bar", "foo"]).await;
- assert_eq!(Ok(Value::Ok), x);
- assert_eq!(
- Ok(Value::Array(vec!["bar".into(), "foo".into()])),
- run_command(&c, &["mget", "foo", "bar"]).await
- );
- }
- #[tokio::test]
- async fn msetnx() {
- let c = create_connection();
- assert_eq!(
- Ok(1.into()),
- run_command(&c, &["msetnx", "foo", "bar", "bar", "foo"]).await
- );
- assert_eq!(
- Ok(0.into()),
- run_command(&c, &["msetnx", "foo", "bar1", "bar", "foo1"]).await
- );
- assert_eq!(
- Ok(Value::Array(vec!["bar".into(), "foo".into()])),
- run_command(&c, &["mget", "foo", "bar"]).await
- );
- }
- #[tokio::test]
- async fn get_and_set() {
- let c = create_connection();
- let x = run_command(&c, &["set", "foo", "bar"]).await;
- assert_eq!(Ok(Value::Ok), x);
- let x = run_command(&c, &["get", "foo"]).await;
- assert_eq!(Ok(Value::Blob("bar".into())), x);
- }
- #[tokio::test]
- async fn setkeepttl() {
- let c = create_connection();
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar", "ex", "60"]).await
- );
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar1", "keepttl"]).await
- );
- assert_eq!(Ok("bar1".into()), run_command(&c, &["get", "foo"]).await);
- assert_eq!(Ok(59.into()), run_command(&c, &["ttl", "foo"]).await);
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar2"]).await
- );
- assert_eq!(Ok("bar2".into()), run_command(&c, &["get", "foo"]).await);
- assert_eq!(
- Ok(Value::Integer(-1)),
- run_command(&c, &["ttl", "foo"]).await
- );
- }
- #[tokio::test]
- async fn set_and_get_previous_result() {
- let c = create_connection();
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar", "ex", "60"]).await
- );
- assert_eq!(
- Ok("bar".into()),
- run_command(&c, &["set", "foo", "bar1", "get"]).await
- );
- }
- #[tokio::test]
- async fn set_nx() {
- let c = create_connection();
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar", "ex", "60", "nx"]).await
- );
- assert_eq!(
- Ok(Value::Null),
- run_command(&c, &["set", "foo", "bar1", "nx"]).await
- );
- assert_eq!(Ok("bar".into()), run_command(&c, &["get", "foo"]).await);
- }
- #[tokio::test]
- async fn set_xx() {
- let c = create_connection();
- assert_eq!(
- Ok(Value::Null),
- run_command(&c, &["set", "foo", "bar1", "ex", "60", "xx"]).await
- );
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar2", "ex", "60", "nx"]).await
- );
- assert_eq!(
- Ok(Value::Ok),
- run_command(&c, &["set", "foo", "bar3", "ex", "60", "xx"]).await
- );
- assert_eq!(Ok("bar3".into()), run_command(&c, &["get", "foo"]).await);
- }
- #[tokio::test]
- async fn set_incorrect_params() {
- let c = create_connection();
- assert_eq!(
- Err(Error::NotANumber),
- run_command(&c, &["set", "foo", "bar1", "ex", "xx"]).await
- );
- assert_eq!(
- Err(Error::Syntax),
- run_command(&c, &["set", "foo", "bar1", "ex"]).await
- );
- }
- #[tokio::test]
- async fn getrange() {
- let c = create_connection();
- let x = run_command(&c, &["set", "foo", "this is a long string"]).await;
- assert_eq!(Ok(Value::Ok), x);
- assert_eq!(
- Ok("this is a long str".into()),
- run_command(&c, &["getrange", "foo", "0", "-4"]).await
- );
- assert_eq!(
- Ok("ring".into()),
- run_command(&c, &["getrange", "foo", "-4", "-1"]).await
- );
- assert_eq!(
- Ok("".into()),
- run_command(&c, &["getrange", "foo", "-4", "1"]).await
- );
- assert_eq!(
- Ok("ring".into()),
- run_command(&c, &["getrange", "foo", "-4", "1000000"]).await
- );
- assert_eq!(
- Ok("this is a long string".into()),
- run_command(&c, &["getrange", "foo", "-400", "1000000"]).await
- );
- assert_eq!(
- Ok("".into()),
- run_command(&c, &["getrange", "foo", "-400", "-1000000"]).await
- );
- assert_eq!(
- Ok("t".into()),
- run_command(&c, &["getrange", "foo", "0", "0"]).await
- );
- assert_eq!(Ok(Value::Null), run_command(&c, &["get", "fox"]).await);
- }
- #[tokio::test]
- async fn getdel() {
- let c = create_connection();
- let x = run_command(&c, &["set", "foo", "bar"]).await;
- assert_eq!(Ok(Value::Ok), x);
- assert_eq!(
- Ok(Value::Blob("bar".into())),
- run_command(&c, &["getdel", "foo"]).await
- );
- assert_eq!(Ok(Value::Null), run_command(&c, &["get", "foo"]).await);
- }
- #[tokio::test]
- async fn getset() {
- let c = create_connection();
- let x = run_command(&c, &["set", "foo", "bar"]).await;
- assert_eq!(Ok(Value::Ok), x);
- assert_eq!(
- Ok(Value::Blob("bar".into())),
- run_command(&c, &["getset", "foo", "1"]).await
- );
- assert_eq!(
- Ok(Value::Blob("1".into())),
- run_command(&c, &["get", "foo"]).await
- );
- }
- #[tokio::test]
- async fn strlen() {
- let c = create_connection();
- let x = run_command(&c, &["set", "foo", "bar"]).await;
- assert_eq!(Ok(Value::Ok), x);
- let x = run_command(&c, &["strlen", "foo"]).await;
- assert_eq!(Ok(Value::Integer(3)), x);
- let x = run_command(&c, &["strlen", "foxxo"]).await;
- assert_eq!(Ok(Value::Integer(0)), x);
- }
- #[tokio::test]
- async fn wrong_type() {
- let c = create_connection();
- let _ = run_command(&c, &["hset", "xxx", "key", "foo"]).await;
- let _ = run_command(&c, &["incr", "foo"]).await;
- let x = run_command(&c, &["strlen", "xxx"]).await;
- assert_eq!(Ok(Error::WrongType.into()), x);
- let x = run_command(&c, &["get", "xxx"]).await;
- assert_eq!(Ok(Error::WrongType.into()), x);
- let x = run_command(&c, &["get", "xxx"]).await;
- assert_eq!(Ok(Error::WrongType.into()), x);
- let x = run_command(&c, &["mget", "xxx", "foo"]).await;
- assert_eq!(
- Ok(Value::Array(vec![Value::Null, Value::Blob("1".into()),])),
- x
- );
- }
- }
|