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
/**
* rust-daemon
* Unix Server and Connection Implementations
*
* https://github.com/ryankurte/rust-daemon
* Copyright 2018 Ryan Kurte
*/
use std::fs;
use std::fmt::{Debug};
use std::clone::{Clone};
use libc::{gid_t, uid_t};
use tokio::prelude::*;
use tokio::spawn;
use tokio_codec::{Encoder, Decoder};
use tokio_uds::{UnixListener, UnixStream};
use server::Server;
use connection::Connection;
use error::Error;
use users::{User, Group, get_group_by_gid, get_user_by_uid};
/// UnixServer is a Server implementation over UnixStream and UnixInfo types with a generic codec
/// ```no_run
/// extern crate tokio;
/// use tokio::prelude::*;
/// use tokio::{spawn, run};
///
/// #[macro_use]
/// extern crate serde_derive;
///
/// extern crate daemon_engine;
/// use daemon_engine::{UnixServer, JsonCodec};
///
/// #[derive(Debug, Clone, Serialize, Deserialize)]
/// struct Request {}
///
/// #[derive(Debug, Clone, Serialize, Deserialize)]
/// struct Response {}
///
/// # fn main() {
///
/// let addr = "/var/tmp/test-daemon.sock";
/// let server = future::lazy(move || {
/// let mut s = UnixServer::<JsonCodec<Response, Request>>::new(&addr).unwrap();
/// let server_handle = s
/// .incoming()
/// .unwrap()
/// .for_each(move |r| {
/// println!("Request data {:?} info: {:?}", r.data(), r.info());
/// r.send(Response{}).wait().unwrap();
/// Ok(())
/// }).map_err(|_e| ());
/// spawn(server_handle);
/// Ok(())
/// });
/// run(server);
///
/// # }
/// ```
pub type UnixServer<C> = Server<UnixStream, C, UnixInfo>;
/// UnixConnection is a Connection implementation over UnixStream
/// ```no_run
/// use std::net::{SocketAddr, IpAddr, Ipv4Addr};
///
/// extern crate tokio;
/// use tokio::prelude::*;
/// use tokio::{spawn, run};
///
/// #[macro_use]
/// extern crate serde_derive;
///
/// extern crate daemon_engine;
/// use daemon_engine::{UnixConnection, JsonCodec, DaemonError};
///
/// #[derive(Debug, Clone, Serialize, Deserialize)]
/// struct Request {}
///
/// #[derive(Debug, Clone, Serialize, Deserialize)]
/// struct Response {}
///
/// # fn main() {
/// let addr = "/var/tmp/test-daemon.sock";
/// let client = UnixConnection::<JsonCodec<Request, Response>>::new(&addr).unwrap();
/// let (tx, rx) = client.split();
///
/// // Send data
/// tx.send(Request{}).wait().unwrap();
///
/// // Receive data
/// rx.map(|resp| -> Result<(), DaemonError> {
/// println!("Response: {:?}", resp);
/// Ok(())
/// }).wait().next();
/// # }
/// ```
pub type UnixConnection<C> = Connection<UnixStream, C>;
impl <C> UnixConnection<C>
where
C: Encoder + Decoder + Default + Send + 'static,
<C as Decoder>::Item: Send,
<C as Decoder>::Error: Send + Debug,
{
/// Create a new client connected to the provided unix socket address
pub fn new(path: &str) -> Result<UnixConnection<C>, Error> {
trace!("[connector] creating connection (unix path: {})", path);
// Create the socket future
let socket = UnixStream::connect(&path).wait()?;
// Create the socket instance
Ok(Connection::from(socket))
}
pub fn close(self) {
}
}
/// UnixInfo is an information object associated with a given UnixServer connection.
///
/// This is passed to the server request handler to allow ACLs and connection tracking
#[derive(Clone, Debug)]
pub struct UnixInfo {
pub user: User,
pub group: Group,
}
impl UnixInfo {
pub fn new(uid: uid_t, gid: gid_t) -> UnixInfo {
let user = get_user_by_uid(uid).unwrap();
let group = get_group_by_gid(gid).unwrap();
UnixInfo{user, group}
}
}
/// Unix server implementation
///
/// This binds to and listens on a unix domain socket
impl<C> UnixServer<C>
where
C: Encoder + Decoder + Default + Send + 'static,
<C as Decoder>::Item: Clone + Send + Debug,
<C as Decoder>::Error: Send + Debug,
<C as Encoder>::Item: Clone + Send + Debug,
<C as Encoder>::Error: Send + Debug,
{
pub fn new(path: &str) -> Result<UnixServer<C>, Error> {
// Pre-clear socket file
let _res = fs::remove_file(&path);
// Create base server instance
let server = Server::base();
// Create listener socket
let socket = UnixListener::bind(&path)?;
let exit_rx = server.exit_rx.lock().unwrap().take();
let mut server_int = server.clone();
// Create listening thread
let tokio_server = socket
.incoming()
.for_each(move |s| {
let creds = s.peer_cred().unwrap();
let info = UnixInfo::new(creds.uid, creds.gid);
server_int.bind(info, s);
Ok(())
})
.map_err(|err| {
error!("[server] accept error: {:?}", err);
})
.select2(exit_rx)
.then(|_| {
info!("[server] closing listener");
Ok(())
});
spawn(tokio_server);
// Return new connector instance
Ok(server)
}
pub fn shutdown(&self) {
}
}