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
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
#[macro_use]
extern crate log;
#[macro_use]
extern crate nickel;
extern crate plugin;
extern crate typemap;
extern crate hyper;
extern crate uosql;
extern crate rustc_serialize;
extern crate cookie;
extern crate url;
extern crate server;

use uosql::Connection;
use std::io::Read;
use uosql::Error;
use std::collections::HashMap;
use std::collections::hash_map::Entry;
use std::ops::DerefMut;
use std::sync::{Arc, Mutex};
use plugin::Extensible;
use hyper::header::{Cookie, SetCookie};
use nickel::{Nickel, HttpRouter};
use cookie::Cookie as CookiePair;
use hyper::method::Method;
use url::form_urlencoded as urlencode;
use std::net::Ipv4Addr;
use std::str::FromStr;
use nickel::QueryString;
use uosql::types::DataSet;
use server::storage::SqlType;

// Dummy key for typemap
struct ConnKey;
impl typemap::Key for ConnKey {
    type Value = Arc<Mutex<Connection>>;
}

#[derive(Debug)]
struct Login {
    user : String,
    password: String
}

/// A web based client that is able to connect to a server and saves session
/// data in a cookie. Queries can be sent and the results are displayed in
/// html tables. The user is able to logout.
fn main() {

    let mut server = Nickel::new();
    let map: HashMap<String, Arc<Mutex<Connection>>>= HashMap::new();
    let map = Arc::new(Mutex::new(map));
    let map2 = map.clone();

    // Cookie managing
    server.utilize(middleware! { |req, res|

        // If login data has been posted, continue
        if req.origin.method == Method::Post {
            return Ok(nickel::Action::Continue(res));
        }

        // Look for session string in Cookies
        let sess = match req.origin.headers.get::<Cookie>() {
            // If no Cookie found, go to Login
            None => {
                let m = HashMap::<i8, i8>::new();
                return res.render("src/webclient/templates/login.tpl", &m);
            }
            // If there is a Cookie, eat it
            // (or find the matching UosqlDB-Cookie and extract session string)
            Some(cs) => {
                if let Some(sess) = cs.to_cookie_jar(&[1u8]).find("UosqlDB") {
                    sess.value
                // There is a cookie, but it is not ours :'(
                // Return to Login
                } else {
                    let m = HashMap::<i8, i8>::new();
                    return res.render("src/webclient/templates/login.tpl", &m);
                }
            },
        };

        // We have a session string and look for the matching connection in
        // our Session-Connection map
        let guard = map.lock().unwrap();
        match guard.get(&sess) {
            // No matching session: Old cookie
            None => {
                let mut data = HashMap::new();
                data.insert("err_msg", "Invalid Session");
                return res.render("src/webclient/templates/login.tpl", &data);
            }
            // There is a connection, we are logged in, we can enter the site!
            Some(con) => {
                req.extensions_mut().insert::<ConnKey>(con.clone());
                return Ok(nickel::Action::Continue(res));
            }
        }
    });

    // Login managing
    server.post("/login", middleware! { |req, mut res|

        // Read the post data
        let mut login_data = String::new();
        let read = req.origin.read_to_string(&mut login_data).unwrap();

        // Not sufficiently filled in, return to Login with error msg
        if read < 15 {
            let mut data = HashMap::new();
            data.insert("err_msg", "No data given");
            return res.render("src/webclient/templates/login.tpl", &data);
        }

        // Extract login data from Post string
        let pairs = urlencode::parse(login_data.as_bytes());
        let username = pairs.iter().find(|e| e.0 == "user").map(|e| e.1.clone());
        let password = pairs.iter().find(|e| e.0 == "password").map(|e| e.1.clone());
        let bind_in = pairs.iter().find(|e| e.0 == "bind").map(|e| e.1.clone());
        let port_in = pairs.iter().find(|e| e.0 == "port").map(|e| e.1.clone());

        // If eihter username or password are empty, return to Login page
        if username.is_none() || password.is_none()  {
            let mut data = HashMap::new();
            data.insert("err_msg", "Not all required fields given");
            return res.render("src/webclient/templates/login.tpl", &data);
        }

        let mut connection = "127.0.0.1".to_string();
        // Bind_in is never none, for inexplicable reasons
        if bind_in.clone().unwrap().len() > 8 {
            connection = bind_in.unwrap();
            test_bind(&connection);
        }

        let port = port_in.unwrap_or("4242".into()).parse::<u16>().unwrap_or(4242);

        // build Login struct
        let login = Login {
            user: username.unwrap(),
            password: password.unwrap()
        };

        // Generate new session string
        let sess_str = login.user.clone(); // Dummy

        // Try connect to db server
        // Insert connection and session string into hashmap
        let mut guard = map2.lock().unwrap();

        // create new connections
        match guard.deref_mut().entry(sess_str.clone()) {
            Entry::Occupied(_) => {},
            Entry::Vacant(v) => {
                let cres = Connection::connect(connection, port,
                                               login.user.clone(), login.password.clone());
                match cres {
                    Err(e) => {
                        let errstr = match e {
                            // Connection error handling
                            // TO DO: Wait for Display/Debug
                            Error::AddrParse(_) => {
                                "Could not connect to specified server."
                            },
                            Error::Io(_) => {
                                "Connection failure. Try again later."
                            },
                            Error::Decode(_) => {
                                "Could not readfsdfd data from server."
                            },
                            Error::Encode(_) => {
                                "Could not send data to server."
                            },
                            Error::UnexpectedPkg => {
                                "Unexpected Package."
                            },
                            Error::Auth => {
                                "Authentication failed."
                            },
                            Error::Server(_) => {
                                "Network Error."
                            },
                        };
                        let mut data = HashMap::new();
                        data.insert("err", errstr);
                        return res.render("src/webclient/templates/error.tpl", &data);
                    }
                    Ok(c) => {
                        v.insert(Arc::new(Mutex::new(c)));
                    },
                }
            }
        };

        // Set a Cookie with the session string as its value
        // sess_str is set to a value here, so we can safely unwrap
        let keks = CookiePair::new("UosqlDB".to_owned(), sess_str.clone());
        res.headers_mut().set(SetCookie(vec![keks]));

        // Redirect to the greeting page
        *res.status_mut() = nickel::status::StatusCode::Found;
        res.headers_mut().set_raw("location", vec![b"/".to_vec()]);
        return res.send("");
    });

    // Disconnect from server
    server.get("/logout", middleware! { |req, mut res|

        let mut con = req.extensions().get::<ConnKey>().unwrap().lock().unwrap();
        let mut data = HashMap::new();

        data.insert("name", con.get_username().to_string());

        match con.quit(){
            Ok(_) => { },
            Err(_) => error!("Connection could not be quit."),
        }

        // Remove Cookie
        match req.origin.headers.get::<Cookie>() {

            None => { }
            Some(cs) => {
                let cj = cs.to_cookie_jar(&[1u8]);
                cj.remove("UosqlDB");
                res.headers_mut().set(SetCookie::from_cookie_jar(&cj));
            },
        };

        return res.render("src/webclient/templates/logout.tpl", &data);
    });

    // Greeting page
    server.get("/", middleware! { |req, res|

        // Look for connection
        let tmp = req.extensions().get::<ConnKey>().unwrap().clone();
        let mut con = tmp.lock().unwrap();

        let mut data = HashMap::new();

        let query = req.query().get("sql");
        if !query.is_none() {
            let mut result = match con.execute(query.unwrap().trim().to_string()) {
                Ok(r) => r,
                Err(e) => {
                    let errstr = match e {
                        Error::Io(_) => "Connection failure. Try again later.",
                        Error::Decode(_) => "Could not read data from server.",
                        Error::Encode(_) => "Could not send data to server.",
                        Error::UnexpectedPkg => "Received unexpected package.",
                        Error::Server(_) => "Server error.",
                        _ => "Unexpected behaviour during execute().",
                    };
                    let mut data = HashMap::new();
                    data.insert("err", errstr);
                    return res.render("src/webclient/templates/error.tpl", &data);
                }
            };

            let res_output = display_html(&mut result);
            data.insert("result", res_output);
        }

        // Current display with short welcome message
        let version = con.get_version().to_string();
        let port = con.get_port().to_string();

        data.insert("name", con.get_username().to_string());
        data.insert("version", version);
        data.insert("bind", con.get_ip().to_string());
        data.insert("port", port);
        data.insert("msg", con.get_message().to_string());
        return res.render("src/webclient/templates/main.tpl", &data);
    });

    server.listen("127.0.0.1:6767");
}

/// Test if binding address is a valid address
fn test_bind (bind : &str) -> bool {
    let result = match Ipv4Addr::from_str(bind) {
        Ok(_) => true,
        Err(_) => {
            false
        }
    };
    result
}

pub fn display_html(table: &mut DataSet) -> String {
    if table.data_empty() && table.metadata_empty() {
        // println!("done.");
        return String::new();
    } else if table.data_empty() {
        display_meta_html(table)
    } else {
        display_data_html(table)
    }
}

/// Fill table with meta data
/// returns the data in a String with html syntax
fn display_meta_html (table: &mut DataSet) -> String {

    let mut result = String::new();
    result.push_str("<table id=\"t01\"><caption>Results</caption>");

    // First table row with column names
    result.push_str("<tr><th>Column name</th>");
    let cols = table.get_col_cnt();
    for i in 0..cols {
        result.push_str(&format!("<th>{}</th>", table.get_col_name(i)
                .unwrap_or("none")).to_string());
    }
    result.push_str("</tr>");

    // Second table row (Type)
    result.push_str("<tr><td>Type</td>");
    for i in 0..cols {
        let s = match table.get_type_by_idx(i) {
            Some(n) => match n {
                SqlType::Int => "int".to_string(),
                SqlType::Bool => "bool".to_string(),
                SqlType::Char(p) => format!("Char({})", p),
            },
            None => "none".to_string(),
        };
        result.push_str(&format!("<td>{}</td>", s).to_string());
    }
    result.push_str("</tr>");

    // Third table row (Primary Key)
    result.push_str("<tr><td>Primary</td>");
    for i in 0..cols {
        let b = match table.get_is_primary_key_by_idx(i) {
            Some(n) => n.to_string(),
            None => "none".to_string(),
        };
        result.push_str(&format!("<td>{}</td>", b).to_string());
    }
    result.push_str("</tr>");

    // Fourth table row (Allow null)
    result.push_str("<tr><td>Allow NULL</td>");
    for i in 0..cols {
        let tmp = match table.get_allow_null_by_idx(i) {
            Some(n) => n.to_string(),
            None => "none".to_string(),
        };
        result.push_str(&format!("<td>{}</td>", tmp).to_string());
    }
    result.push_str("</tr>");

    // Fifth table row (Description)
    result.push_str("<tr><td>Description</td>");
    for i in 0..cols {
        result.push_str(&format!("<td>{}</td>", table.get_description_by_idx(i)
                    .unwrap_or("none")).to_string());
    }
    result.push_str("</tr>");
    // End table
    result.push_str("</table>");
    result
}

// Fill table with row data
// returns the data in a String with html syntax
fn display_data_html (table: &mut DataSet) -> String {

    let mut result = String::new();
    result.push_str("<table id=\"t01\"><caption>Results</caption>");

    let cols = table.get_col_cnt();

    // Row of column names
    for i in 0..cols {
        result.push_str(&format!("<th>{}</th>", table.get_col_name(i)
                    .unwrap_or("none")).to_string());
    }
    result.push_str("</tr>");

    // Actual data input
    while table.next() {
        for i in 0..cols {
            match table.get_type_by_idx(i) {
                Some(t) => {
                    match t {
                        SqlType::Int =>
                            match table.next_int_by_idx(i) {
                                Some(val) => result.push_str(
                                    &format!("<td>{}</td>", val).to_string()),
                                None => result.push_str("<td>none</td>"),
                            },
                        SqlType::Bool =>
                            match table.next_bool_by_idx(i) {
                                Some(val) => result.push_str(
                                    &format!("<td>{}</td>", val).to_string()),
                                None => result.push_str("<td>none</td>"),
                            },
                        SqlType::Char(_) =>
                            result.push_str(&format!("<td>{}</td>",
                                table.next_char_by_idx(i)
                                .unwrap_or("none".to_string())))
                    }
                },
                None => continue
            }
        }
        result.push_str("</tr>");
    }

    // End table
    result.push_str("</table>");
    result
}