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
use async_trait::async_trait;
use std::error::Error;

/// Filesystem backend
///
/// Available with enabled `fs-backend` feature
#[cfg(feature = "fs-backend")]
pub mod fs;

/// Redis backend
///
/// Available with enabled `redis-backend` feature
#[cfg(feature = "redis-backend")]
pub mod redis;

/// A session backend interface
#[async_trait]
pub trait SessionBackend {
    /// An error occurred in backend
    type Error: Error + Send + Sync + 'static;

    /// Returns a list of available session IDs
    async fn get_sessions(&mut self) -> Result<Vec<String>, Self::Error>;

    /// Returns session age in seconds
    ///
    /// This method MUST return session age if session exists and None otherwise
    ///
    /// # Arguments
    ///
    /// * session_id - ID of a session
    async fn get_session_age(&mut self, session_id: &str) -> Result<Option<u64>, Self::Error>;

    /// Removes a session
    ///
    /// # Arguments
    ///
    /// * session_id - ID of a session
    async fn remove_session(&mut self, session_id: &str) -> Result<(), Self::Error>;

    /// Read a value from store
    ///
    /// * session_id - ID of a session
    /// * key - Key to read value from
    async fn read_value(
        &mut self,
        session_id: &str,
        key: &str,
    ) -> Result<Option<Vec<u8>>, Self::Error>;

    /// Write a value to store
    ///
    /// # Arguments
    ///
    /// * session_id - ID of a session
    /// * key - Key to write value to
    /// * value - Value to write
    async fn write_value(
        &mut self,
        session_id: &str,
        key: &str,
        value: &[u8],
    ) -> Result<(), Self::Error>;

    /// Remove a value from store
    ///
    /// * session_id - ID of a session
    /// * key - Key to read value from
    async fn remove_value(&mut self, session_id: &str, key: &str) -> Result<(), Self::Error>;
}