forked from redis-rs/redis-rs
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbasic.rs
166 lines (137 loc) · 5.23 KB
/
basic.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
use redis;
use redis::{transaction, Commands, PipelineCommands};
use std::error::Error;
use std::collections::HashMap;
/// This function demonstrates how a return value can be coerced into a
/// hashmap of tuples. This is particularly useful for responses like
/// CONFIG GET or all most H functions which will return responses in
/// such list of implied tuples.
fn do_print_max_entry_limits(con: &mut redis::Connection) -> redis::RedisResult<()> {
// since rust cannot know what format we actually want we need to be
// explicit here and define the type of our response. In this case
// String -> int fits all the items we query for.
let config: HashMap<String, isize> = redis::cmd("CONFIG")
.arg("GET")
.arg("*-max-*-entries")
.query(con)?;
println!("Max entry limits:");
println!(
" max-intset: {}",
config.get("set-max-intset-entries").unwrap_or(&0)
);
println!(
" hash-max-ziplist: {}",
config.get("hash-max-ziplist-entries").unwrap_or(&0)
);
println!(
" list-max-ziplist: {}",
config.get("list-max-ziplist-entries").unwrap_or(&0)
);
println!(
" zset-max-ziplist: {}",
config.get("zset-max-ziplist-entries").unwrap_or(&0)
);
Ok(())
}
/// This is a pretty stupid example that demonstrates how to create a large
/// set through a pipeline and how to iterate over it through implied
/// cursors.
fn do_show_scanning(con: &mut redis::Connection) -> redis::RedisResult<()> {
// This makes a large pipeline of commands. Because the pipeline is
// modified in place we can just ignore the return value upon the end
// of each iteration.
let mut pipe = redis::pipe();
for num in 0..1000 {
pipe.cmd("SADD").arg("my_set").arg(num).ignore();
}
// since we don't care about the return value of the pipeline we can
// just cast it into the unit type.
let _: () = pipe.query(con)?;
// since rust currently does not track temporaries for us, we need to
// store it in a local variable.
let mut cmd = redis::cmd("SSCAN");
cmd.arg("my_set").cursor_arg(0);
// as a simple exercise we just sum up the iterator. Since the fold
// method carries an initial value we do not need to define the
// type of the iterator, rust will figure "int" out for us.
let sum = cmd.iter::<i32>(con)?.fold(0, |a, b| a + b);
println!("The sum of all numbers in the set 0-1000: {}", sum);
Ok(())
}
/// Demonstrates how to do an atomic increment in a very low level way.
fn do_atomic_increment_lowlevel(con: &mut redis::Connection) -> redis::RedisResult<()> {
let key = "the_key";
println!("Run low-level atomic increment:");
// set the initial value so we have something to test with.
let _: () = redis::cmd("SET").arg(key).arg(42).query(con)?;
loop {
// we need to start watching the key we care about, so that our
// exec fails if the key changes.
let _: () = redis::cmd("WATCH").arg(key).query(con)?;
// load the old value, so we know what to increment.
let val: isize = redis::cmd("GET").arg(key).query(con)?;
// at this point we can go into an atomic pipe (a multi block)
// and set up the keys.
let response: Option<(isize,)> = redis::pipe()
.atomic()
.cmd("SET")
.arg(key)
.arg(val + 1)
.ignore()
.cmd("GET")
.arg(key)
.query(con)?;
match response {
None => {
continue;
}
Some(response) => {
let (new_val,) = response;
println!(" New value: {}", new_val);
break;
}
}
}
Ok(())
}
/// Demonstrates how to do an atomic increment with transaction support.
fn do_atomic_increment(con: &mut redis::Connection) -> redis::RedisResult<()> {
let key = "the_key";
println!("Run high-level atomic increment:");
// set the initial value so we have something to test with.
let _: () = con.set(key, 42)?;
// run the transaction block.
let (new_val,): (isize,) = transaction(con, &[key], |con, pipe| {
// load the old value, so we know what to increment.
let val: isize = con.get(key)?;
// increment
pipe.set(key, val + 1).ignore().get(key).query(con)
})?;
// and print the result
println!("New value: {}", new_val);
Ok(())
}
/// Runs all the examples and propagates errors up.
fn do_redis_code() -> redis::RedisResult<()> {
// general connection handling
let client = redis::Client::open("redis://127.0.0.1/")?;
let mut con = client.get_connection()?;
// read some config and print it.
do_print_max_entry_limits(&mut con)?;
// demonstrate how scanning works.
do_show_scanning(&mut con)?;
// shows an atomic increment.
do_atomic_increment_lowlevel(&mut con)?;
do_atomic_increment(&mut con)?;
Ok(())
}
fn main() {
// at this point the errors are fatal, let's just fail hard.
match do_redis_code() {
Err(err) => {
println!("Could not execute example:");
println!(" {}: {}", err.category(), err.description());
}
Ok(()) => {}
}
}