1
0
mirror of https://github.com/actix/examples synced 2024-11-23 14:31:07 +01:00

upgrade ws chat broker dependencies

This commit is contained in:
Rob Ede 2020-04-09 01:54:28 +01:00
parent b8620702fa
commit a892a062e1
No known key found for this signature in database
GPG Key ID: C2A3B36E841A91E6
7 changed files with 231 additions and 170 deletions

3
.gitignore vendored
View File

@ -16,5 +16,8 @@ Cargo.lock
.history/ .history/
# VS Code workspace config
.vscode
# For multipart example # For multipart example
upload.png upload.png

View File

@ -46,7 +46,7 @@ members = [
"web-cors/backend", "web-cors/backend",
"websocket", "websocket",
"websocket-chat", "websocket-chat",
# "websocket-chat-broker", "websocket-chat-broker",
"websocket-tcp-chat", "websocket-tcp-chat",
"docker_sample", "docker_sample",
] ]

View File

@ -1,7 +1,10 @@
[package] [package]
name = "websocket-broker-example" name = "websocket-chat-broker"
version = "0.1.0" version = "0.1.0"
authors = ["Chris Ricketts <chris.ricketts@steribar.com>"] authors = [
"Chris Ricketts <chris.ricketts@steribar.com>",
"Rob Ede <robjtede@icloud.com>",
]
edition = "2018" edition = "2018"
[[bin]] [[bin]]
@ -9,12 +12,13 @@ name = "server"
path = "src/main.rs" path = "src/main.rs"
[dependencies] [dependencies]
rand = "0.6" actix = "0.9"
futures = "0.1.24" actix-broker = "0.3.0"
actix = "0.8.2" actix-files = "0.2"
actix-web = "1.0" actix-rt = "1.1"
actix-files = "0.1" actix-web = "2.0"
actix-web-actors = "1.0" actix-web-actors = "2.0"
actix-broker = "0.2.0" env_logger = "0.7"
log = "0.4.5" futures = "0.3"
simple_logger = "0.5.0" log = "0.4"
rand = "0.7"

View File

@ -1,159 +1,36 @@
#[macro_use] use log::info;
extern crate log;
use actix::fut;
use actix::prelude::*;
use actix_broker::BrokerIssue;
use actix_files::Files; use actix_files::Files;
use actix_web::{web, App, Error, HttpRequest, HttpResponse, HttpServer}; use actix_web::{web, App, Error, HttpRequest, HttpResponse, HttpServer};
use actix_web_actors::ws; use actix_web_actors::ws;
mod message;
mod server; mod server;
use server::*; mod session;
fn chat_route(req: HttpRequest, stream: web::Payload) -> Result<HttpResponse, Error> { use session::WsChatSession;
async fn chat_route(
req: HttpRequest,
stream: web::Payload,
) -> Result<HttpResponse, Error> {
ws::start(WsChatSession::default(), &req, stream) ws::start(WsChatSession::default(), &req, stream)
} }
#[derive(Default)] #[actix_rt::main]
struct WsChatSession { async fn main() -> std::io::Result<()> {
id: usize, env_logger::from_env(env_logger::Env::default().default_filter_or("info")).init();
room: String,
name: Option<String>,
}
impl WsChatSession { let addr = "127.0.0.1:8080";
fn join_room(&mut self, room_name: &str, ctx: &mut ws::WebsocketContext<Self>) {
let room_name = room_name.to_owned();
// First send a leave message for the current room
let leave_msg = LeaveRoom(self.room.clone(), self.id);
// issue_sync comes from having the `BrokerIssue` trait in scope.
self.issue_system_sync(leave_msg, ctx);
// Then send a join message for the new room
let join_msg = JoinRoom(
room_name.to_owned(),
self.name.clone(),
ctx.address().recipient(),
);
WsChatServer::from_registry() let srv = HttpServer::new(move || {
.send(join_msg)
.into_actor(self)
.then(|id, act, _ctx| {
if let Ok(id) = id {
act.id = id;
act.room = room_name;
}
fut::ok(())
})
.spawn(ctx);
}
fn list_rooms(&mut self, ctx: &mut ws::WebsocketContext<Self>) {
WsChatServer::from_registry()
.send(ListRooms)
.into_actor(self)
.then(|res, _, ctx| {
if let Ok(rooms) = res {
for room in rooms {
ctx.text(room);
}
}
fut::ok(())
})
.spawn(ctx);
}
fn send_msg(&self, msg: &str) {
let content = format!(
"{}: {}",
self.name.clone().unwrap_or_else(|| "anon".to_string()),
msg
);
let msg = SendMessage(self.room.clone(), self.id, content);
// issue_async comes from having the `BrokerIssue` trait in scope.
self.issue_system_async(msg);
}
}
impl Actor for WsChatSession {
type Context = ws::WebsocketContext<Self>;
fn started(&mut self, ctx: &mut Self::Context) {
self.join_room("Main", ctx);
}
fn stopped(&mut self, _ctx: &mut Self::Context) {
info!(
"WsChatSession closed for {}({}) in room {}",
self.name.clone().unwrap_or_else(|| "anon".to_string()),
self.id,
self.room
);
}
}
impl Handler<ChatMessage> for WsChatSession {
type Result = ();
fn handle(&mut self, msg: ChatMessage, ctx: &mut Self::Context) {
ctx.text(msg.0);
}
}
impl StreamHandler<ws::Message, ws::ProtocolError> for WsChatSession {
fn handle(&mut self, msg: ws::Message, ctx: &mut Self::Context) {
debug!("WEBSOCKET MESSAGE: {:?}", msg);
match msg {
ws::Message::Text(text) => {
let msg = text.trim();
if msg.starts_with('/') {
let mut command = msg.splitn(2, ' ');
match command.next() {
Some("/list") => self.list_rooms(ctx),
Some("/join") => {
if let Some(room_name) = command.next() {
self.join_room(room_name, ctx);
} else {
ctx.text("!!! room name is required");
}
}
Some("/name") => {
if let Some(name) = command.next() {
self.name = Some(name.to_owned());
ctx.text(format!("name changed to: {}", name));
} else {
ctx.text("!!! name is required");
}
}
_ => ctx.text(format!("!!! unknown command: {:?}", msg)),
}
return;
}
self.send_msg(msg);
}
ws::Message::Close(_) => {
ctx.stop();
}
_ => {}
}
}
}
fn main() -> std::io::Result<()> {
let sys = actix::System::new("websocket-broker-example");
simple_logger::init_with_level(log::Level::Info).unwrap();
HttpServer::new(move || {
App::new() App::new()
.service(web::resource("/ws/").to(chat_route)) .service(web::resource("/ws/").to(chat_route))
.service(Files::new("/", "./static/").index_file("index.html")) .service(Files::new("/", "./static/").index_file("index.html"))
}) })
.bind("127.0.0.1:8080") .bind(&addr)?;
.unwrap()
.start();
info!("Started http server: 127.0.0.1:8080"); info!("Starting http server: {}", &addr);
sys.run()
srv.run().await
} }

View File

@ -0,0 +1,21 @@
use actix::prelude::*;
#[derive(Clone, Message)]
#[rtype(result = "()")]
pub struct ChatMessage(pub String);
#[derive(Clone, Message)]
#[rtype(result = "usize")]
pub struct JoinRoom(pub String, pub Option<String>, pub Recipient<ChatMessage>);
#[derive(Clone, Message)]
#[rtype(result = "()")]
pub struct LeaveRoom(pub String, pub usize);
#[derive(Clone, Message)]
#[rtype(result = "Vec<String>")]
pub struct ListRooms;
#[derive(Clone, Message)]
#[rtype(result = "()")]
pub struct SendMessage(pub String, pub usize, pub String);

View File

@ -1,29 +1,14 @@
use actix::prelude::*; use actix::prelude::*;
use actix_broker::BrokerSubscribe; use actix_broker::BrokerSubscribe;
use rand;
use std::collections::HashMap; use std::collections::HashMap;
use std::mem; use std::mem;
#[derive(Clone, Message)] use crate::message::{ChatMessage, JoinRoom, LeaveRoom, ListRooms, SendMessage};
pub struct ChatMessage(pub String);
#[derive(Clone, Message)]
#[rtype(result = "usize")]
pub struct JoinRoom(pub String, pub Option<String>, pub Recipient<ChatMessage>);
#[derive(Clone, Message)]
pub struct LeaveRoom(pub String, pub usize);
#[derive(Clone, Message)]
#[rtype(result = "Vec<String>")]
pub struct ListRooms;
#[derive(Clone, Message)]
pub struct SendMessage(pub String, pub usize, pub String);
type Client = Recipient<ChatMessage>; type Client = Recipient<ChatMessage>;
type Room = HashMap<usize, Client>; type Room = HashMap<usize, Client>;
#[derive(Default)] #[derive(Default)]
pub struct WsChatServer { pub struct WsChatServer {
rooms: HashMap<String, Room>, rooms: HashMap<String, Room>,
@ -43,6 +28,7 @@ impl WsChatServer {
client: Client, client: Client,
) -> usize { ) -> usize {
let mut id = id.unwrap_or_else(rand::random::<usize>); let mut id = id.unwrap_or_else(rand::random::<usize>);
if let Some(room) = self.rooms.get_mut(room_name) { if let Some(room) = self.rooms.get_mut(room_name) {
loop { loop {
if room.contains_key(&id) { if room.contains_key(&id) {
@ -51,13 +37,17 @@ impl WsChatServer {
break; break;
} }
} }
room.insert(id, client); room.insert(id, client);
return id; return id;
} }
// Create a new room for the first client // Create a new room for the first client
let mut room: Room = HashMap::new(); let mut room: Room = HashMap::new();
room.insert(id, client); room.insert(id, client);
self.rooms.insert(room_name.to_owned(), room); self.rooms.insert(room_name.to_owned(), room);
id id
} }
@ -68,11 +58,13 @@ impl WsChatServer {
_src: usize, _src: usize,
) -> Option<()> { ) -> Option<()> {
let mut room = self.take_room(room_name)?; let mut room = self.take_room(room_name)?;
for (id, client) in room.drain() { for (id, client) in room.drain() {
if client.do_send(ChatMessage(msg.to_owned())).is_ok() { if client.do_send(ChatMessage(msg.to_owned())).is_ok() {
self.add_client_to_room(room_name, Some(id), client); self.add_client_to_room(room_name, Some(id), client);
} }
} }
Some(()) Some(())
} }
} }
@ -91,12 +83,14 @@ impl Handler<JoinRoom> for WsChatServer {
fn handle(&mut self, msg: JoinRoom, _ctx: &mut Self::Context) -> Self::Result { fn handle(&mut self, msg: JoinRoom, _ctx: &mut Self::Context) -> Self::Result {
let JoinRoom(room_name, client_name, client) = msg; let JoinRoom(room_name, client_name, client) = msg;
let id = self.add_client_to_room(&room_name, None, client); let id = self.add_client_to_room(&room_name, None, client);
let join_msg = format!( let join_msg = format!(
"{} joined {}", "{} joined {}",
client_name.unwrap_or_else(|| "anon".to_string()), client_name.unwrap_or_else(|| "anon".to_string()),
room_name room_name
); );
self.send_chat_message(&room_name, &join_msg, id); self.send_chat_message(&room_name, &join_msg, id);
MessageResult(id) MessageResult(id)
} }

View File

@ -0,0 +1,162 @@
use log::{debug, info};
use actix::fut;
use actix::prelude::*;
use actix_broker::BrokerIssue;
use actix_web_actors::ws;
use crate::message::{ChatMessage, JoinRoom, LeaveRoom, ListRooms, SendMessage};
use crate::server::WsChatServer;
#[derive(Default)]
pub struct WsChatSession {
id: usize,
room: String,
name: Option<String>,
}
impl WsChatSession {
pub fn join_room(&mut self, room_name: &str, ctx: &mut ws::WebsocketContext<Self>) {
let room_name = room_name.to_owned();
// First send a leave message for the current room
let leave_msg = LeaveRoom(self.room.clone(), self.id);
// issue_sync comes from having the `BrokerIssue` trait in scope.
self.issue_system_sync(leave_msg, ctx);
// Then send a join message for the new room
let join_msg = JoinRoom(
room_name.to_owned(),
self.name.clone(),
ctx.address().recipient(),
);
WsChatServer::from_registry()
.send(join_msg)
.into_actor(self)
.then(|id, act, _ctx| {
if let Ok(id) = id {
act.id = id;
act.room = room_name;
}
fut::ready(())
})
.wait(ctx);
}
pub fn list_rooms(&mut self, ctx: &mut ws::WebsocketContext<Self>) {
WsChatServer::from_registry()
.send(ListRooms)
.into_actor(self)
.then(|res, _, ctx| {
if let Ok(rooms) = res {
for room in rooms {
ctx.text(room);
}
}
fut::ready(())
})
.wait(ctx);
}
pub fn send_msg(&self, msg: &str) {
let content = format!(
"{}: {}",
self.name.clone().unwrap_or_else(|| "anon".to_string()),
msg
);
let msg = SendMessage(self.room.clone(), self.id, content);
// issue_async comes from having the `BrokerIssue` trait in scope.
self.issue_system_async(msg);
}
}
impl Actor for WsChatSession {
type Context = ws::WebsocketContext<Self>;
fn started(&mut self, ctx: &mut Self::Context) {
self.join_room("Main", ctx);
}
fn stopped(&mut self, _ctx: &mut Self::Context) {
info!(
"WsChatSession closed for {}({}) in room {}",
self.name.clone().unwrap_or_else(|| "anon".to_string()),
self.id,
self.room
);
}
}
impl Handler<ChatMessage> for WsChatSession {
type Result = ();
fn handle(&mut self, msg: ChatMessage, ctx: &mut Self::Context) {
ctx.text(msg.0);
}
}
impl StreamHandler<Result<ws::Message, ws::ProtocolError>> for WsChatSession {
fn handle(
&mut self,
msg: Result<ws::Message, ws::ProtocolError>,
ctx: &mut Self::Context,
) {
let msg = match msg {
Err(_) => {
ctx.stop();
return;
}
Ok(msg) => msg,
};
debug!("WEBSOCKET MESSAGE: {:?}", msg);
match msg {
ws::Message::Text(text) => {
let msg = text.trim();
if msg.starts_with('/') {
let mut command = msg.splitn(2, ' ');
match command.next() {
Some("/list") => self.list_rooms(ctx),
Some("/join") => {
if let Some(room_name) = command.next() {
self.join_room(room_name, ctx);
} else {
ctx.text("!!! room name is required");
}
}
Some("/name") => {
if let Some(name) = command.next() {
self.name = Some(name.to_owned());
ctx.text(format!("name changed to: {}", name));
} else {
ctx.text("!!! name is required");
}
}
_ => ctx.text(format!("!!! unknown command: {:?}", msg)),
}
return;
}
self.send_msg(msg);
}
ws::Message::Close(_) => {
ctx.stop();
}
_ => {}
}
}
}