1
0

command.rs 6.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231
  1. //! # Dispatcher
  2. //!
  3. //! Here is where every command is defined. Each command has some definition and a handler. Their
  4. //! handler are rust functions.
  5. //!
  6. //! Each command is defined with the dispatcher macro, which generates efficient and developer
  7. //! friendly code.
  8. use crate::value::Value;
  9. use bytes::Bytes;
  10. use metered::{ErrorCount, HitCount, InFlight, ResponseTime, Throughput};
  11. use std::{collections::VecDeque, convert::TryInto};
  12. /// Command Flags
  13. #[derive(Debug, Eq, PartialEq, Clone, Copy)]
  14. pub enum Flag {
  15. /// May result in database modification
  16. Write,
  17. /// Will never modify database
  18. ReadOnly,
  19. /// Can fail if the server runs out of memory
  20. DenyOom,
  21. /// Server Admin command
  22. Admin,
  23. /// Pubsub related command
  24. PubSub,
  25. /// Not used, added to be compatible
  26. NoScript,
  27. /// Random result
  28. Random,
  29. /// Not used, added to be compatible
  30. SortForScript,
  31. /// Allow command while database is loading
  32. Loading,
  33. /// Allow command while replica has stale data
  34. Stale,
  35. /// Do not show this command in MONITOR
  36. SkipMonitor,
  37. /// Do not gather stats about slow log
  38. SkipSlowlog,
  39. /// The command is fast (Close to log(N) time)
  40. Fast,
  41. /// Command may be replicated to other nodes
  42. MayReplicate,
  43. }
  44. impl ToString for Flag {
  45. fn to_string(&self) -> String {
  46. match self {
  47. Self::Write => "write",
  48. Self::DenyOom => "denyoom",
  49. Self::ReadOnly => "readonly",
  50. Self::Admin => "admin",
  51. Self::PubSub => "pubsub",
  52. Self::NoScript => "noscript",
  53. Self::Random => "random",
  54. Self::SortForScript => "sort_for_script",
  55. Self::Loading => "loading",
  56. Self::Stale => "stale",
  57. Self::SkipMonitor => "skip_monitor",
  58. Self::SkipSlowlog => "skip_slowlog",
  59. Self::Fast => "fast",
  60. Self::MayReplicate => "may_replicate",
  61. }
  62. .to_owned()
  63. }
  64. }
  65. /// Command definition
  66. #[derive(Debug)]
  67. pub struct Command {
  68. name: &'static str,
  69. group: &'static str,
  70. flags: &'static [Flag],
  71. min_args: i32,
  72. key_start: i32,
  73. key_stop: i32,
  74. key_step: usize,
  75. is_queueable: bool,
  76. metrics: Metrics,
  77. }
  78. /// Metric struct for all command
  79. #[derive(Debug, Default, serde::Serialize)]
  80. pub struct Metrics {
  81. /// Command hits
  82. pub hit_count: HitCount,
  83. /// Error count
  84. pub error_count: ErrorCount,
  85. /// How many concurrent executions are happening right now
  86. pub in_flight: InFlight,
  87. /// Response time
  88. pub response_time: ResponseTime,
  89. /// Throughput
  90. pub throughput: Throughput,
  91. }
  92. impl Command {
  93. #[allow(clippy::too_many_arguments)]
  94. /// Creates a new comamnd
  95. pub fn new(
  96. name: &'static str,
  97. group: &'static str,
  98. flags: &'static [Flag],
  99. min_args: i32,
  100. key_start: i32,
  101. key_stop: i32,
  102. key_step: usize,
  103. is_queueable: bool,
  104. ) -> Self {
  105. Self {
  106. name,
  107. group,
  108. flags,
  109. min_args,
  110. key_start,
  111. key_stop,
  112. key_step,
  113. is_queueable,
  114. metrics: Metrics::default(),
  115. }
  116. }
  117. /// Returns a reference to the metrics
  118. pub fn metrics(&self) -> &Metrics {
  119. &self.metrics
  120. }
  121. /// Can this command be executed in a pub-sub only mode?
  122. pub fn is_pubsub_executable(&self) -> bool {
  123. self.group == "pubsub" || self.name == "PING" || self.name == "RESET" || self.name == "QUIT"
  124. }
  125. /// Can this command be queued in a transaction or should it be executed right away?
  126. pub fn is_queueable(&self) -> bool {
  127. self.is_queueable
  128. }
  129. /// Returns all database keys from the command arguments
  130. pub fn get_keys(&self, args: &VecDeque<Bytes>, includes_command: bool) -> Vec<Bytes> {
  131. let start = self.key_start;
  132. let stop = if self.key_stop > 0 {
  133. self.key_stop
  134. } else {
  135. (args.len() as i32) + self.key_stop
  136. };
  137. if start == 0 {
  138. return Vec::new();
  139. }
  140. let mut result = Vec::new();
  141. for i in (start..stop + 1).step_by(self.key_step) {
  142. result.push(
  143. args[if includes_command {
  144. i as usize
  145. } else {
  146. i as usize - 1
  147. }]
  148. .clone(),
  149. );
  150. }
  151. result
  152. }
  153. /// Checks if a given number of args is expected by this command
  154. pub fn check_number_args(&self, n: usize) -> bool {
  155. if self.min_args >= 0 {
  156. n == self.min_args.try_into().unwrap_or(0)
  157. } else {
  158. let s: usize = self.min_args.abs().try_into().unwrap_or(0);
  159. n >= s
  160. }
  161. }
  162. /// Returns information about this command. The response is encoded as a
  163. /// Value, following the output of the COMMAND command in redis
  164. pub fn get_command_info(&self) -> Value {
  165. Value::Array(vec![
  166. self.name().into(),
  167. self.get_min_args().into(),
  168. Value::Array(
  169. self.get_flags()
  170. .iter()
  171. .map(|m| m.to_string().into())
  172. .collect(),
  173. ),
  174. self.get_key_start().into(),
  175. self.get_key_stop().into(),
  176. self.get_key_step().into(),
  177. ])
  178. }
  179. /// Returns the command's flags
  180. pub fn get_flags(&self) -> Vec<Flag> {
  181. self.flags.to_vec()
  182. }
  183. /// Returns the minimum arguments (including the command name itself) that
  184. /// this command takes. This is also known as the arity of a command.
  185. pub fn get_min_args(&self) -> i32 {
  186. self.min_args
  187. }
  188. /// Where does the first database 'key' start in the arguments list
  189. pub fn get_key_start(&self) -> i32 {
  190. self.key_start
  191. }
  192. /// Where does the last database 'key' start in the arguments list
  193. pub fn get_key_stop(&self) -> i32 {
  194. self.key_stop
  195. }
  196. /// Useful to extract 'keys' from the arguments alongside with key_stop and
  197. /// key_start
  198. pub fn get_key_step(&self) -> usize {
  199. self.key_step
  200. }
  201. /// Command group
  202. pub fn group(&self) -> &'static str {
  203. self.group
  204. }
  205. /// Command name
  206. pub fn name(&self) -> &'static str {
  207. self.name
  208. }
  209. }