summaryrefslogtreecommitdiffstats
path: root/server/src/main.rs
blob: 72bacf323689c816af15fac7f654bf1881bda349 (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
extern crate lemmy_server;
#[macro_use]
extern crate diesel_migrations;

use actix::prelude::*;
use actix_files::NamedFile;
use actix_web::*;
use actix_web_actors::ws;
use lemmy_server::db::establish_connection;
use lemmy_server::websocket::server::*;
use std::env;
use std::time::{Duration, Instant};

embed_migrations!();

/// 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);

/// Entry point for our route
fn chat_route(
    req: HttpRequest,
    stream: web::Payload,
    chat_server: web::Data<Addr<ChatServer>>,
) -> Result<HttpResponse, Error> {
    ws::start(
        WSSession {
            cs_addr: chat_server.get_ref().to_owned(),
            id: 0,
            hb: Instant::now(),
            ip: req
                .connection_info()
                .remote()
                .unwrap_or("127.0.0.1:12345")
                .split(":")
                .next()
                .unwrap_or("127.0.0.1")
                .to_string(),
        },
        &req,
        stream,
    )
}

struct WSSession {
    cs_addr: Addr<ChatServer>,
    /// unique session id
    id: usize,
    ip: String,
    /// 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>;

    /// 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.
        // across all routes within application
        let addr = ctx.address();
        self.cs_addr
            .send(Connect {
                addr: addr.recipient(),
                ip: self.ip.to_owned(),
            })
            .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
        self.cs_addr.do_send(Disconnect {
            id: self.id,
            ip: self.ip.to_owned(),
        });
        Running::Stop
    }
}

/// Handle messages from chat server, we simply send it to peer websocket
/// These are room messages, IE sent to others in the room
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();
                println!("WEBSOCKET MESSAGE: {:?} from id: {}", &m, self.id);

                self.cs_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);
                            }
                        }
                        fut::ok(())
                    })
                    .wait(ctx);
            }
            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>) {
        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
                act.cs_addr.do_send(Disconnect {
                    id: act.id,
                    ip: act.ip.to_owned(),
                });

                // 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("lemmy");

    // Run the migrations from code
    let conn = establish_connection();
    embedded_migrations::run(&conn).unwrap();

    // Start chat server actor in separate thread
    let server = ChatServer::default().start();
    // Create Http server with websocket support
    HttpServer::new(move || {
        App::new()
            .data(server.clone())
            .service(web::resource("/api/v1/ws").to(chat_route))
            //            .service(web::resource("/api/v1/rest").route(web::post().to(||{})))
            .service(web::resource("/").to(index))
            // static resources
            .service(actix_files::Files::new("/static", front_end_dir()))
    })
    .bind("0.0.0.0:8536")
    .unwrap()
    .start();

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

fn index() -> Result<NamedFile, actix_web::error::Error> {
    Ok(NamedFile::open(front_end_dir() + "/index.html")?)
}

fn front_end_dir() -> String {
    env::var("LEMMY_FRONT_END_DIR").unwrap_or("../ui/dist".to_string())
}