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
//! The network api
//!
//! This module defines types and functions to read and write objects from
//! and to a TcpStream. However, the types in this module are types that are
//! passed to other methods and thus more "high level". They do not represent
//! the byte layout of objects in the protocol!
//!
//! # Protocol
//! All communication is send using TCP, which emulates a data stream. On top
//! of TCP, this database sends single packets.
//!
//! Every packet begins with a four byte `length` field that contains the
//! size of the packet in network byte order.
//!
//! ...
//!
pub mod types;

use std;
use std::fmt;
use std::io::{self, Write, Read};
// to encode and decode the structs to the given stream
use bincode::rustc_serialize::{EncodingError, DecodingError, decode_from, encode_into};
use bincode::SizeLimit;
use self::types::*;
use storage::ResultSet;
use parse::parser::ParseError;

const PROTOCOL_VERSION: u8 = 1;
const WELCOME_MSG: &'static str = "Welcome to the fabulous uoSQL database.";

/// Collection of possible errors while communicating with the client.
#[derive(Debug)]
pub enum Error {
    Io(io::Error),
    UnexpectedPkg,
    UnknownCmd,
    Encode(EncodingError),
    Decode(DecodingError),
    UnEoq(ParseError),
}

/// Implement display for description of Error
impl fmt::Display for Error {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        std::error::Error::description(self).fmt(f)
    }
}

/// Implement description for this Error enum
impl std::error::Error for Error {
    fn description(&self) -> &str {
        match self {
            &Error::Io(_) => "IO error occured",
            &Error::UnexpectedPkg => "received unexpected package",
            &Error::UnknownCmd => "cannot interpret command: unknown",
            &Error::Encode(_) => "could not encode/ send package",
            &Error::Decode(_) => "could not decode/ receive package",
            &Error::UnEoq(_) => "parsing error"
        }
    }
}

/// Implement the conversion from io::Error to NetworkError
impl From<io::Error> for Error {
    fn from(err: io::Error) -> Error {
        Error::Io(err)
    }
}

/// Implement the conversion from EncodingError to NetworkError
impl  From<EncodingError> for Error {
    fn from(err: EncodingError) -> Error {
        Error::Encode(err)
    }
}

/// Implement the conversion from DecodingError to NetworkError
impl From<DecodingError> for Error {
    fn from(err: DecodingError) -> Error {
        Error::Decode(err)
    }
}

/// Implement the conversion from ParseError to NetworkError
impl From<ParseError> for Error {
    fn from(err: ParseError) -> Error {
        Error::UnEoq(err)
    }
}

/// Write a welcome-message to the given server-client-stream.
pub fn do_handshake<W: Write + Read>(stream: &mut W)
    -> Result<(String, String), Error>
{
    let greet = Greeting::make_greeting(PROTOCOL_VERSION, WELCOME_MSG.into());

    // send handshake packet to client
    try!(encode_into(&PkgType::Greet, stream, SizeLimit::Bounded(1024)));
    try!(encode_into(&greet, stream, SizeLimit::Bounded(1024)));

    // receive login data from client
    let login = read_login(stream);
    match login {
        Ok(sth) => Ok((sth.username, sth.password)),
        Err(msg) => Err(msg)
    }
}

/// Read the data from the response to the handshake,
/// username and password extracted and returned.
pub fn read_login<R: Read + Write>(stream: &mut R)
    -> Result<Login, Error>
{
    // read package-type
    let status: PkgType = try!(decode_from(stream, SizeLimit::Bounded(1024)));

    match status {
        PkgType::Login =>
            // read the login data
            decode_from(stream, SizeLimit::Bounded(1024)).map_err(|e| e.into()),
        PkgType::Command => { // free the stream
            let _ = decode_from::<R, Command>(stream, SizeLimit::Bounded(4096));
            Err(Error::UnexpectedPkg)
        },
        _ =>
            Err(Error::UnexpectedPkg)
    }
}

/// Read the sent bytes, extract the kind of command.
pub fn read_commands<R: Read + Write>(stream: &mut R)
    -> Result<Command, Error>
{
    // read the first byte for code numeric value
    let status: PkgType = try!(decode_from(stream, SizeLimit::Bounded(1024)));

    match status {
        PkgType::Login => { // free the stream
            let _ = decode_from::<R, Login>(stream, SizeLimit::Bounded(1024));
            Err(Error::UnexpectedPkg)
        },
        PkgType::Command =>
            decode_from(stream, SizeLimit::Bounded(4096)).map_err(|e| e.into()),
        _ =>
            Err(Error::UnexpectedPkg)
    }
}

/// Send error package with given error code status.
pub fn send_error_package<W: Write>(mut stream: &mut W, err: ClientErrMsg)
    -> Result<(), Error>
{
    try!(encode_into(&PkgType::Error, stream, SizeLimit::Bounded(1024)));
    try!(encode_into(&err, &mut stream, SizeLimit::Bounded(1024)));
    Ok(())
}

/// Send information package only with package type information.
pub fn send_info_package<W: Write>(mut stream: &mut W, pkg: PkgType)
    -> Result<(), Error>
{
    try!(encode_into(&pkg, stream, SizeLimit::Bounded(1024)));
    Ok(())
}

/// Send Result package as response to a query.
pub fn send_response_package<W: Write>(mut stream: &mut W, data: ResultSet)
    -> Result<(), Error>
{
    try!(encode_into(&PkgType::Response, stream, SizeLimit::Bounded(1024)));
    try!(encode_into(&data, stream, SizeLimit::Infinite));
    Ok(())
}



// # Some information for the `net` working group:
//
// The net module is used by the `conn` module to receive commands from the
// client and to answer those commands.
//
// Your task is to:
// - Design the network protocol, which includes:
//   - What type of data is send when
//   - How to begin a connection
//   - The memory layout of packets
// - Create types that are more "high level" than the byte based network
//   types (see `Command` for example) and that can be used by other modules
// - Implement functions for every step of the connection (handshake,
//   receiving commands, sending answers, ...)
//

#[test]
pub fn test_send_ok_packet() {
    let mut vec = Vec::new();

    let res = send_info_package(&mut vec, PkgType::Ok);
    assert_eq!(res.is_ok(), true);
    assert_eq!(vec, vec![0, 0, 0, 4]);
}

#[test]
pub fn test_send_error_packet() {
    let mut vec = Vec::new();   // stream to write into
    // could not encode/ send package
    let vec2 = vec![0, 0, 0, 3, // for error packet
        0, 2, // for kind of error
        0, 0, 0, 0, 0, 0, 0, 27, // for the size of the message string
        114, 101, 99, 101, 105, 118, 101, 100, 32, 117, 110, 101, 120, 112, 101,
        99, 116, 101, 100, 32, 112, 97, 99, 107, 97, 103, 101]; // string itself
    let err = Error::UnexpectedPkg;

    // test if the message is sent
    let res = send_error_package(&mut vec, err.into());
    assert_eq!(res.is_ok(), true);
    assert_eq!(vec, vec2);
}

#[test]
pub fn test_read_commands(){
    // test if the commands are correctly decoded
    use std::io::Cursor;        // stream to read from
    let mut vec = Vec::new();   // stream to write into

    // write the command into the stream
    let _ = encode_into(&PkgType::Command, &mut vec, SizeLimit::Bounded(1024));
    let _ = encode_into(&Command::Quit, &mut vec, SizeLimit::Bounded(1024));

    // read the command from the stream for Command::Quit
    let mut command_res = read_commands(&mut Cursor::new(vec));
    assert_eq!(command_res.is_ok(), true);
    assert_eq!(command_res.unwrap(), Command::Quit);


    let mut vec2 = Vec::new();
    // write the command into the stream
    let _ = encode_into(&PkgType::Command, &mut vec2, SizeLimit::Bounded(1024));
    let _ = encode_into(&Command::Query("select".into()),
                                     &mut vec2,
                                     SizeLimit::Bounded(1024));

    // read the command from the stream for Command::Query("select")
    command_res = read_commands(&mut Cursor::new(vec2));
    assert_eq!(command_res.is_ok(), true);
    assert_eq!(command_res.unwrap(), Command::Query("select".into()));
}

#[test]
pub fn testlogin() {
    use std::io::Cursor;        // stream to read from
    let mut vec = Vec::new();   // stream to write into

    // original struct
    let login = Login { username: "elena".into(), password: "prakt".into() };
    let _ = encode_into(&PkgType::Login, &mut vec, SizeLimit::Bounded(1024));
    let _ = encode_into(&login, &mut vec, SizeLimit::Bounded(1024));

    let login_res = read_login(&mut Cursor::new(vec)).unwrap();

    // test for equality
    assert_eq!(login_res.username, "elena");
    assert_eq!(login_res.password, "prakt");
}