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
//! Redis cluster support for the `r2d2` connection pool.
//!
//! # Example
//! ```rust,no_run
//! extern crate r2d2_redis_cluster;
//!
//! use std::thread;
//!
//! use r2d2_redis_cluster::{r2d2::Pool, Commands, RedisClusterConnectionManager};
//!
//! fn main() {
//!     let redis_uri = vec!["redis://127.0.0.1:6379", "redis://127.0.0.1:6378", "redis://127.0.0.1:6377"];
//!     let manager = RedisClusterConnectionManager::new(redis_uri).unwrap();
//!     let pool = Pool::builder()
//!         .build(manager)
//!         .unwrap();
//!
//!     let mut handles = Vec::new();
//!
//!     for _ in 0..10 {
//!         let pool = pool.clone();
//!         handles.push(thread::spawn(move || {
//!             let connection = pool.get().unwrap();
//!             let _: u64 = connection.incr("test", 1).unwrap();
//!         }));
//!     }
//!
//!     for h in handles {
//!         h.join().unwrap();
//!     }
//!
//!     let mut connection = pool.get().unwrap();
//!     let res: u64 = connection.get("test").unwrap();
//!
//!     assert_eq!(res, 10);
//! }
//! ```
pub extern crate r2d2;
pub extern crate redis_cluster_rs;

use r2d2::ManageConnection;
use redis_cluster_rs::{
    redis::{ConnectionInfo, ErrorKind, IntoConnectionInfo, RedisError},
    Builder, Connection,
};
use std::time::Duration;

pub use redis_cluster_rs::redis::{Commands, ConnectionLike, RedisResult};

/// An `r2d2::ConnectionManager` for `redis_cluster_rs::Client`.
#[derive(Debug)]
pub struct RedisClusterConnectionManager {
    nodes: Vec<ConnectionInfo>,
    readonly: bool,
    password: Option<String>,
    read_timeout: Option<Duration>,
    write_timeout: Option<Duration>,
}

impl RedisClusterConnectionManager {
    /// Create new `RedisClusterConnectionManager`.
    pub fn new<T: IntoConnectionInfo>(
        input_nodes: Vec<T>,
    ) -> RedisResult<RedisClusterConnectionManager> {
        let mut nodes = Vec::with_capacity(input_nodes.len());

        for node in input_nodes {
            nodes.push(node.into_connection_info()?)
        }

        Ok(RedisClusterConnectionManager {
            nodes,
            readonly: false,
            password: None,
            read_timeout: None,
            write_timeout: None,
        })
    }

    /// Create new `RedisClusterConnectionManager` with authentication.
    #[deprecated(note = "Please use new and password function")]
    pub fn new_with_auth<T: IntoConnectionInfo>(
        input_nodes: Vec<T>,
        password: String,
    ) -> RedisResult<RedisClusterConnectionManager> {
        let mut result = Self::new(input_nodes)?;
        result.set_password(password);
        Ok(result)
    }

    /// Set read only mode for new Connection.
    pub fn set_readonly(&mut self, readonly: bool) {
        self.readonly = readonly;
    }

    /// Set password for new Connection.
    pub fn set_password(&mut self, password: String) {
        self.password = Some(password);
    }

    /// Set the read timeout for the connection.
    pub fn set_read_timeout(&mut self, timeout: Option<Duration>) {
        self.read_timeout = timeout;
    }

    /// Set the write timeout for the connection.
    pub fn set_write_timeout(&mut self, timeout: Option<Duration>) {
        self.write_timeout = timeout;
    }
}

impl ManageConnection for RedisClusterConnectionManager {
    type Connection = Connection;
    type Error = RedisError;

    fn connect(&self) -> Result<Self::Connection, Self::Error> {
        let builder = Builder::new(self.nodes.clone())
            .readonly(self.readonly)
            .read_timeout(self.read_timeout)
            .write_timeout(self.write_timeout);

        let client = if let Some(password) = self.password.clone() {
            builder.password(password).open()?
        } else {
            builder.open()?
        };
        client.get_connection()
    }

    fn is_valid(&self, conn: &mut Self::Connection) -> Result<(), Self::Error> {
        if conn.check_connection() {
            Ok(())
        } else {
            Err(RedisError::from((
                ErrorKind::IoError,
                "Connection check error.",
            )))
        }
    }

    fn has_broken(&self, _conn: &mut Self::Connection) -> bool {
        false
    }
}