summaryrefslogtreecommitdiffstats
path: root/server/src/bin/main.rs
blob: fa0f532bb4880a8ed03808ee41207916f92593ce (plain)
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
extern crate server;

use std::time::{Instant, Duration};
use server::actix::*;
use server::actix_web::server::HttpServer;
use server::actix_web::{ws, App, Error, HttpRequest, HttpResponse};

use server::websocket_server::server::*;

/// How often heartbeat pings are sent
const HEARTBEAT_INTERVAL: Duration = Duration::from_secs(5);
/// How long before lack of client response causes a timeout
const CLIENT_TIMEOUT: Duration = Duration::from_secs(10);

/// This is our websocket route state, this state is shared with all route
/// instances via `HttpContext::state()`
struct WsChatSessionState {
  addr: Addr<ChatServer>,
}

/// Entry point for our route
fn chat_route(req: &HttpRequest<WsChatSessionState>) -> Result<HttpResponse, Error> {
  ws::start(
    req,
    WSSession {
      id: 0,
      hb: Instant::now()
    },
    )
}

struct WSSession {
  /// unique session id
  id: usize,
  /// Client must send ping at least once per 10 seconds (CLIENT_TIMEOUT),
  /// otherwise we drop connection.
  hb: Instant
}

impl Actor for WSSession {
  type Context = ws::WebsocketContext<Self, WsChatSessionState>;

  /// Method is called on actor start.
  /// We register ws session with ChatServer
  fn started(&mut self, ctx: &mut Self::Context) {
    // we'll start heartbeat process on session start.
    self.hb(ctx);

    // register self in chat server. `AsyncContext::wait` register
    // future within context, but context waits until this future resolves
    // before processing any other events.
    // HttpContext::state() is instance of WsChatSessionState, state is shared
    // across all routes within application
    let addr = ctx.address();
    ctx.state()
      .addr
      .send(Connect {
        addr: addr.recipient(),
      })
    .into_actor(self)
      .then(|res, act, ctx| {
        match res {
          Ok(res) => act.id = res,
          // something is wrong with chat server
          _ => ctx.stop(),
        }
        fut::ok(())
      })
    .wait(ctx);
  }

  fn stopping(&mut self, ctx: &mut Self::Context) -> Running {
    // notify chat server
    ctx.state().addr.do_send(Disconnect { id: self.id });
    Running::Stop
  }
}

/// Handle messages from chat server, we simply send it to peer websocket
impl Handler<WSMessage> for WSSession {
  type Result = ();

  fn handle(&mut self, msg: WSMessage, ctx: &mut Self::Context) {
    println!("id: {} msg: {}", self.id, msg.0);
    ctx.text(msg.0);
  }
}

/// WebSocket message handler
impl StreamHandler<ws::Message, ws::ProtocolError> for WSSession {
  fn handle(&mut self, msg: ws::Message, ctx: &mut Self::Context) {
    println!("WEBSOCKET MESSAGE: {:?} from id: {}", msg, self.id);
    match msg {
      ws::Message::Ping(msg) => {
        self.hb = Instant::now();
        ctx.pong(&msg);
      }
      ws::Message::Pong(_) => {
        self.hb = Instant::now();
      }
      ws::Message::Text(text) => {
        let m = text.trim().to_owned();
        
        ctx.state()
          .addr
          .send(StandardMessage {
            id: self.id,
            msg: m
          })
        .into_actor(self)
          .then(|res, _, ctx| {
            match res {
              Ok(res) => ctx.text(res),
              Err(e) => {
                eprintln!("{}", &e);
                // ctx.text(e);
              }
            }
            // Ok(res) => ctx.text(res),
            // // something is wrong with chat server
            // _ => ctx.stop(),
            fut::ok(())
          })
        .wait(ctx);

        // we check for /sss type of messages
        // if m.starts_with('/') {
        //     let v: Vec<&str> = m.splitn(2, ' ').collect();
        //     match v[0] {
        //         "/list" => {
        //             // Send ListRooms message to chat server and wait for
        //             // response
        //             println!("List rooms");
        //             ctx.state()
        //                 .addr
        //                 .send(ListRooms)
        //                 .into_actor(self)
        //                 .then(|res, _, ctx| {
        //                     match res {
        //                         Ok(rooms) => {
        //                             for room in rooms {
        //                                 ctx.text(room);
        //                             }
        //                         }
        //                         _ => println!("Something is wrong"),
        //                     }
        //                     fut::ok(())
        //                 })
        //                 .wait(ctx)
        // .wait(ctx) pauses all events in context,
        // so actor wont receive any new messages until it get list
        // of rooms back
        // }
        // "/join" => {
        //     if v.len() == 2 {
        //         self.room = v[1].to_owned();
        //         ctx.state().addr.do_send(Join {
        //             id: self.id,
        //             name: self.room.clone(),
        //         });

        //         ctx.text("joined");
        //     } else {
        //         ctx.text("!!! room name is required");
        //     }
        // }
        // "/name" => {
        //     if v.len() == 2 {
        //         self.name = Some(v[1].to_owned());
        //     } else {
        //         ctx.text("!!! name is required");
        //     }
        // }
        // _ => ctx.text(format!("!!! unknown command: {:?}", m)),
        // }
        // } else {
        // let msg = if let Some(ref name) = self.name {
        //     format!("{}: {}", name, m)
        // } else {
        //     m.to_owned()
        // };
        // send message to chat server
        // ctx.state().addr.do_send(ClientMessage {
        // id: self.id,
        // msg: msg,
        // room: self.room.clone(),
        // })
        // }
      }
      ws::Message::Binary(_bin) => println!("Unexpected binary"),
      ws::Message::Close(_) => {
        ctx.stop();
      },
    }
  }
}

impl WSSession {
  /// helper method that sends ping to client every second.
  ///
  /// also this method checks heartbeats from client
  fn hb(&self, ctx: &mut ws::WebsocketContext<Self, WsChatSessionState>) {
    ctx.run_interval(HEARTBEAT_INTERVAL, |act, ctx| {
      // check client heartbeats
      if Instant::now().duration_since(act.hb) > CLIENT_TIMEOUT {
        // heartbeat timed out
        println!("Websocket Client heartbeat failed, disconnecting!");

        // notify chat server
        ctx.state()
          .addr
          .do_send(Disconnect { id: act.id });

        // stop actor
        ctx.stop();

        // don't try to send a ping
        return;
      }

      ctx.ping("");
    });
  }
}

fn main() {
  let _ = env_logger::init();
  let sys = actix::System::new("rust-reddit-fediverse-server");

  // Start chat server actor in separate thread
  let server = Arbiter::start(|_| ChatServer::default());

  // Create Http server with websocket support
  HttpServer::new(move || {
    // Websocket sessions state
    let state = WsChatSessionState {
      addr: server.clone(),
    };

    App::with_state(state)
      // redirect to websocket.html
      // .resource("/", |r| r.method(http::Method::GET).f(|_| {
      // HttpResponse::Found()
      // .header("LOCATION", "/static/websocket.html")
      // .finish()
      // }))
      // // websocket
      .resource("/service/ws", |r| r.route().f(chat_route))
      // static resources
      // .handler("/static/", fs::StaticFiles::new("static/").unwrap())
  }).bind("127.0.0.1:8080")
  .unwrap()
    .start();

  println!("Started http server: 127.0.0.1:8080");
  let _ = sys.run();
}