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
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
#![allow(unused_mut)]

use parking_lot::{
  RwLock
};

use std::sync::Arc;

use std::ops::Deref;
use std::ops::DerefMut;
use std::hash::Hash;

use std::fmt;

use std::collections::HashMap;

use futures::Future;
use futures::sync::oneshot::{
  channel as oneshot_channel
};

use ::error::*;
use ::types::*;
use ::RedisClient;

use super::utils;
use super::borrowed;
use super::borrowed::RedisClientRemote as RedisClientBorrowed;

use super::commands::ConnectSender;

/// A `Send` and `Sync` wrapper around a `RedisClient`.
///
/// This module exposes the same interface as the `RedisClient` struct, but can be safely
/// sent and used across threads.
///
/// The underlying implementation uses message passing patterns to communicate with the
/// `RedisClient` instance on the event loop thread. As a result all commands, with the
/// exception of `state()`, have some added overhead due to the inter-thread communication
/// logic. The only synchronized code path on each command is reading the client's state,
/// which is wrapped in a [RwLock](https://amanieu.github.io/parking_lot/parking_lot/struct.RwLock.html).
///
/// See `examples/sync_owned.rs` for usage examples.
#[derive(Clone)]
pub struct RedisClientRemote {
  // use the borrowed interface under the hood
  borrowed: Arc<RwLock<Option<RedisClientBorrowed>>>,
  connect_tx: Arc<RwLock<Vec<ConnectSender>>>
}

impl fmt::Debug for RedisClientRemote {
  fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
    write!(f, "[RedisClientRemote]")
  }
}

impl RedisClientRemote {

  /// Create a new, empty RedisClientRemote.
  pub fn new() -> RedisClientRemote {
    RedisClientRemote {
      borrowed: Arc::new(RwLock::new(None)),
      connect_tx: Arc::new(RwLock::new(Vec::new()))
    }
  }

  /// Create from a borrowed instance.
  pub fn from_borrowed(client: borrowed::RedisClientRemote) -> RedisClientRemote {
    let connect_tx = client.read_connect_tx();
    RedisClientRemote {
      borrowed: Arc::new(RwLock::new(Some(client))),
      connect_tx: connect_tx
    }
  }

  /// Attempt to convert to a borrowed instance. This returns `None` if `init` has not yet been called.
  pub fn to_borrowed(&self) -> Option<borrowed::RedisClientRemote> {
    let borrowed_guard = self.borrowed.read();
    borrowed_guard.deref().clone()
  }

  /// Attempt to convert this owned instance into a borrowed instance.
  pub fn into_borrowed(self) -> Option<borrowed::RedisClientRemote> {
    let mut borrowed_guard = self.borrowed.write();
    borrowed_guard.deref_mut().take()
  }

  // Read a reference to the underlying borrowed instance.
  pub fn inner_borrowed(&self) -> &Arc<RwLock<Option<RedisClientBorrowed>>> {
    &self.borrowed
  }

  /// Initialize the remote interface.
  ///
  /// This function must run on the same thread that created the `RedisClient`.
  pub fn init(&self, client: RedisClient) -> Box<Future<Item=RedisClient, Error=RedisError>> {
    let borrowed = borrowed::RedisClientRemote::new();
    {
      let mut connect_tx_guard = self.connect_tx.write();
      let mut connect_tx_ref = connect_tx_guard.deref_mut();

      let taken: Vec<ConnectSender> = connect_tx_ref.drain(..).collect();
      borrowed.set_connect_tx(taken);
    }
    {
      let mut borrowed_guard = self.borrowed.write();
      let mut borrowed_ref = borrowed_guard.deref_mut();
      *borrowed_ref = Some(borrowed.clone());
    }

    borrowed.init(client)
  }

  /// Returns a future that resolves when the underlying client connects to the server. This
  /// function can act as a convenient way of notifying a separate thread when the client has
  /// connected to the server and can begin processing commands.
  ///
  /// This can be called before `init` if needed, however the callback will not be registered
  /// on the underlying client until `init` is called. For this reason it's best to call `init`
  /// with a client that has not yet starting running its connection future.
  ///
  /// See the `examples/sync_borrowed.rs` file for usage examples.
  pub fn on_connect(&self) -> Box<Future<Item=(), Error=RedisError>> {
    let is_initialized = {
      let borrowed_guard = self.borrowed.read();
      borrowed_guard.deref().is_some()
    };

    if is_initialized {
      let borrowed_guard = self.borrowed.read();
      let borrowed_ref = borrowed_guard.deref();

      let borrowed = borrowed_ref.as_ref().unwrap();
      borrowed.on_connect()
    }else{
      let (tx, rx) = oneshot_channel();

      let mut connect_tx_guard = self.connect_tx.write();
      let mut connect_tx_ref = connect_tx_guard.deref_mut();
      connect_tx_ref.push(tx);

      Box::new(rx.from_err::<RedisError>().flatten())
    }
  }

  /// Subscribe to a channel on the PubSub interface. Any messages received before `on_message` is called will be discarded, so it's
  /// usually best to call `on_message` before calling `subscribe` for the first time. The `usize` returned here is the number of
  /// channels to which the client is currently subscribed.
  ///
  /// https://redis.io/commands/subscribe
  pub fn subscribe<K: Into<String>>(self, channel: K) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.subscribe(channel).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Unsubscribe from a channel on the PubSub interface.
  ///
  /// https://redis.io/commands/unsubscribe
  pub fn unsubscribe<K: Into<String>>(self, channel: K) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.unsubscribe(channel).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Publish a message on the PubSub interface, returning the number of clients that received the message.
  ///
  /// https://redis.io/commands/publish
  pub fn publish<K: Into<String>, V: Into<RedisValue>>(self, channel: K, message: V) -> Box<Future<Item=(Self, i64), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.publish(channel, message).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Read a value from Redis at `key`.
  ///
  /// https://redis.io/commands/get
  pub fn get<K: Into<RedisKey>>(self, key: K) -> Box<Future<Item=(Self, Option<RedisValue>), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.get(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Set a value at `key` with optional NX|XX and EX|PX arguments.
  /// The `bool` returned by this function describes whether or not the key was set due to any NX|XX options.
  ///
  /// https://redis.io/commands/set
  pub fn set<K: Into<RedisKey>, V: Into<RedisValue>>(self, key: K, value: V, expire: Option<Expiration>, options: Option<SetOptions>) -> Box<Future<Item=(Self, bool), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.set(key, value, expire, options).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Removes the specified keys. A key is ignored if it does not exist.
  /// Returns the number of keys removed.
  ///
  /// https://redis.io/commands/del
  pub fn del<K: Into<MultipleKeys>>(self, keys: K) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.del(keys).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Decrements the number stored at key by one. If the key does not exist, it is set to 0 before performing the operation.
  /// Returns error if the key contains a value of the wrong type.
  ///
  /// https://redis.io/commands/decr
  pub fn decr<K: Into<RedisKey>>(self, key: K) -> Box<Future<Item=(Self, i64), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.decr(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })

  }

  /// Increments the number stored at key by one. If the key does not exist, it is set to 0 before performing the operation.
  /// Returns error if the value at key is of wrong type.
  ///
  /// https://redis.io/commands/incr
  pub fn incr<K: Into<RedisKey>>(self, key: K) -> Box<Future<Item=(Self, i64), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.incr(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Increments the number stored at key by incr. If the key does not exist, it is set to 0 before performing the operation.
  /// Returns an error if the value at key is of the wrong type.
  ///
  /// https://redis.io/commands/incrby
  pub fn incrby<K: Into<RedisKey>>(self, key: K, incr: i64) -> Box<Future<Item=(Self, i64), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.incrby(key, incr).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Increment the string representing a floating point number stored at key by the argument value. If the key does not exist, it is set to 0 before performing the operation.
  /// Returns error if key value is wrong type or if the current value or increment value are not parseable as float value.
  ///
  /// https://redis.io/commands/incrbyfloat
  pub fn incrbyfloat<K: Into<RedisKey>>(self, key: K, incr: f64) -> Box<Future<Item=(Self, f64), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.incrbyfloat(key, incr).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns the value associated with field in the hash stored at key.
  ///
  /// https://redis.io/commands/hget
  pub fn hget<F: Into<RedisKey>, K: Into<RedisKey>>(self, key: K, field: F) -> Box<Future<Item=(Self, Option<RedisValue>), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hget(key, field).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Sets field in the hash stored at key to value. If key does not exist, a new key holding a hash is created.
  /// If field already exists in the hash, it is overwritten.
  /// Note: Return value of 1 means new field was created and set. Return of 0 means field already exists and was overwritten.
  ///
  /// https://redis.io/commands/hset
  pub fn hset<K: Into<RedisKey>, F: Into<RedisKey>, V: Into<RedisValue>>(self, key: K, field: F, value: V) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hset(key, field, value).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Removes the specified fields from the hash stored at key. Specified fields that do not exist within this hash are ignored.
  /// If key does not exist, it is treated as an empty hash and this command returns 0.
  ///
  /// https://redis.io/commands/hdel
  pub fn hdel<K: Into<RedisKey>, F: Into<MultipleKeys>>(self, key: K, fields: F) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hdel(key, fields).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns the number of fields contained in the hash stored at key.
  ///
  /// https://redis.io/commands/hlen
  pub fn hlen<K: Into<RedisKey>> (self, key: K) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hlen(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns the values associated with the specified fields in the hash stored at key.
  /// Values in a returned list may be null.
  ///
  /// https://redis.io/commands/hmget
  pub fn hmget<F: Into<MultipleKeys>, K: Into<RedisKey>> (self, key: K, fields: F) -> Box<Future<Item=(Self, Vec<RedisValue>), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hmget(key, fields).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Sets the specified fields to their respective values in the hash stored at key. This command overwrites any specified fields already existing in the hash.
  /// If key does not exist, a new key holding a hash is created.
  ///
  /// https://redis.io/commands/hmset
  pub fn hmset<V: Into<RedisValue>, F: Into<RedisKey> + Hash + Eq, K: Into<RedisKey>> (self, key: K, values: HashMap<F, V>) -> Box<Future<Item=(Self, String), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hmset(key, values).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Sets field in the hash stored at key to value, only if field does not yet exist.
  /// If key does not exist, a new key holding a hash is created.
  /// Note: Return value of 1 means new field was created and set. Return of 0 means no operation performed.
  ///
  /// https://redis.io/commands/hsetnx
  pub fn hsetnx<K: Into<RedisKey>, F: Into<RedisKey>, V: Into<RedisValue>> (self, key: K, field: F, value: V) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hsetnx(key, field, value).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns the string length of the value associated with field in the hash stored at key.
  /// If the key or the field do not exist, 0 is returned.
  ///
  /// https://redis.io/commands/hstrlen
  pub fn hstrlen<K: Into<RedisKey>, F: Into<RedisKey>> (self, key: K, field: F) -> Box<Future<Item=(Self, usize), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hstrlen(key, field).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns all values in the hash stored at key.
  /// Returns an empty vector if the list is empty.
  ///
  /// https://redis.io/commands/hvals
  pub fn hvals<K: Into<RedisKey>> (self, key: K) -> Box<Future<Item=(Self, Vec<RedisValue>), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hvals(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  /// Returns all field names in the hash stored at key.
  /// Returns an empty vec if the list is empty.
  /// Null fields are converted to "nil".
  ///
  /// https://redis.io/commands/hkeys
  pub fn hkeys<K: Into<RedisKey>> (self, key: K) -> Box<Future<Item=(Self, Vec<String>), Error=RedisError>> {
    utils::run_borrowed(self, move |_self, borrowed| {
      Box::new(borrowed.hkeys(key).and_then(move |resp| {
        Ok((_self, resp))
      }))
    })
  }

  // TODO more commands...

}