mirror of
https://github.com/actix/examples
synced 2024-11-23 22:41:07 +01:00
WebSocket Chat example using actix-broker (#44)
WebSocket Chat Example rewrite with actix-broker
This commit is contained in:
parent
6b68cfc529
commit
8edf86e4b8
@ -64,4 +64,5 @@ script:
|
||||
cd web-cors/backend && cargo check && cd ../..
|
||||
cd websocket && cargo check && cd ..
|
||||
cd websocket-chat && cargo check && cd ..
|
||||
cd websocket-chat-broker && cargo check && cd ..
|
||||
cd websocket-tcp-chat && cargo check && cd ..
|
||||
|
@ -31,5 +31,6 @@ members = [
|
||||
"web-cors/backend",
|
||||
"websocket",
|
||||
"websocket-chat",
|
||||
"websocket-chat-broker",
|
||||
"websocket-tcp-chat",
|
||||
]
|
||||
|
18
websocket-chat-broker/Cargo.toml
Normal file
18
websocket-chat-broker/Cargo.toml
Normal file
@ -0,0 +1,18 @@
|
||||
[package]
|
||||
name = "websocket-broker-example"
|
||||
version = "0.1.0"
|
||||
authors = ["Chris Ricketts <chris.ricketts@steribar.com>"]
|
||||
workspace = "../"
|
||||
|
||||
[[bin]]
|
||||
name = "server"
|
||||
path = "src/main.rs"
|
||||
|
||||
[dependencies]
|
||||
rand = "*"
|
||||
futures = "0.1.24"
|
||||
actix = "0.7"
|
||||
actix-web = "0.7"
|
||||
actix-broker = "0.1.4"
|
||||
log = "0.4.5"
|
||||
simple_logger = "0.5.0"
|
29
websocket-chat-broker/README.md
Normal file
29
websocket-chat-broker/README.md
Normal file
@ -0,0 +1,29 @@
|
||||
# Websocket chat broker example
|
||||
|
||||
This is a different implementation of the
|
||||
[websocket chat example](https://github.com/actix/examples/tree/master/websocket-chat)
|
||||
|
||||
Differences:
|
||||
|
||||
* Chat Server Actor is a System Service that runs in the same thread as the HttpServer/WS Listener.
|
||||
* The [actix-broker](https://github.com/Chris-Ricketts/actix-broker) crate is used to facilitate the sending of some messages between the Chat Session and Server Actors where the session does not require a response.
|
||||
* The Client is not required to send Ping messages. The Chat Server Actor auto-clears dead sessions.
|
||||
|
||||
Possible Improvements:
|
||||
|
||||
* Could the Chat Server Actor be simultaneously a System Service (accessible to the Chat Session via the System Registry) and also run in a seperate thread?
|
||||
|
||||
## Server
|
||||
|
||||
Chat server listens for incoming tcp connections. Server can access several types of message:
|
||||
|
||||
* `/list` - list all available rooms
|
||||
* `/join name` - join room, if room does not exist, create new one
|
||||
* `/name name` - set session name
|
||||
* `some message` - just string, send message to all peers in same room
|
||||
|
||||
To start server use command: `cargo run`
|
||||
|
||||
## WebSocket Browser Client
|
||||
|
||||
Open url: [http://localhost:8080/](http://localhost:8080/)
|
72
websocket-chat-broker/client.py
Executable file
72
websocket-chat-broker/client.py
Executable file
@ -0,0 +1,72 @@
|
||||
#!/usr/bin/env python3
|
||||
"""websocket cmd client for wssrv.py example."""
|
||||
import argparse
|
||||
import asyncio
|
||||
import signal
|
||||
import sys
|
||||
|
||||
import aiohttp
|
||||
|
||||
|
||||
def start_client(loop, url):
|
||||
name = input('Please enter your name: ')
|
||||
|
||||
# send request
|
||||
ws = yield from aiohttp.ClientSession().ws_connect(url, autoclose=False, autoping=False)
|
||||
|
||||
# input reader
|
||||
def stdin_callback():
|
||||
line = sys.stdin.buffer.readline().decode('utf-8')
|
||||
if not line:
|
||||
loop.stop()
|
||||
else:
|
||||
ws.send_str(name + ': ' + line)
|
||||
loop.add_reader(sys.stdin.fileno(), stdin_callback)
|
||||
|
||||
@asyncio.coroutine
|
||||
def dispatch():
|
||||
while True:
|
||||
msg = yield from ws.receive()
|
||||
|
||||
if msg.type == aiohttp.WSMsgType.TEXT:
|
||||
print('Text: ', msg.data.strip())
|
||||
elif msg.type == aiohttp.WSMsgType.BINARY:
|
||||
print('Binary: ', msg.data)
|
||||
elif msg.type == aiohttp.WSMsgType.PING:
|
||||
ws.pong()
|
||||
elif msg.type == aiohttp.WSMsgType.PONG:
|
||||
print('Pong received')
|
||||
else:
|
||||
if msg.type == aiohttp.WSMsgType.CLOSE:
|
||||
yield from ws.close()
|
||||
elif msg.type == aiohttp.WSMsgType.ERROR:
|
||||
print('Error during receive %s' % ws.exception())
|
||||
elif msg.type == aiohttp.WSMsgType.CLOSED:
|
||||
pass
|
||||
|
||||
break
|
||||
|
||||
yield from dispatch()
|
||||
|
||||
|
||||
ARGS = argparse.ArgumentParser(
|
||||
description="websocket console client for wssrv.py example.")
|
||||
ARGS.add_argument(
|
||||
'--host', action="store", dest='host',
|
||||
default='127.0.0.1', help='Host name')
|
||||
ARGS.add_argument(
|
||||
'--port', action="store", dest='port',
|
||||
default=8080, type=int, help='Port number')
|
||||
|
||||
if __name__ == '__main__':
|
||||
args = ARGS.parse_args()
|
||||
if ':' in args.host:
|
||||
args.host, port = args.host.split(':', 1)
|
||||
args.port = int(port)
|
||||
|
||||
url = 'http://{}:{}/ws/'.format(args.host, args.port)
|
||||
|
||||
loop = asyncio.get_event_loop()
|
||||
loop.add_signal_handler(signal.SIGINT, loop.stop)
|
||||
asyncio.Task(start_client(loop, url))
|
||||
loop.run_forever()
|
167
websocket-chat-broker/src/main.rs
Normal file
167
websocket-chat-broker/src/main.rs
Normal file
@ -0,0 +1,167 @@
|
||||
#[macro_use]
|
||||
extern crate actix;
|
||||
extern crate actix_broker;
|
||||
extern crate actix_web;
|
||||
extern crate futures;
|
||||
extern crate rand;
|
||||
#[macro_use]
|
||||
extern crate log;
|
||||
extern crate simple_logger;
|
||||
|
||||
use actix::fut;
|
||||
use actix::prelude::*;
|
||||
use actix_broker::BrokerIssue;
|
||||
use actix_web::server::HttpServer;
|
||||
use actix_web::{fs, ws, App, Error, HttpRequest, HttpResponse};
|
||||
|
||||
mod server;
|
||||
use server::*;
|
||||
|
||||
fn chat_route(req: &HttpRequest<()>) -> Result<HttpResponse, Error> {
|
||||
ws::start(req, WsChatSession::default())
|
||||
}
|
||||
|
||||
#[derive(Default)]
|
||||
struct WsChatSession {
|
||||
id: usize,
|
||||
room: String,
|
||||
name: Option<String>,
|
||||
}
|
||||
|
||||
impl WsChatSession {
|
||||
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_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::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("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_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("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() {
|
||||
let sys = actix::System::new("websocket-broker-example");
|
||||
simple_logger::init_with_level(log::Level::Info).unwrap();
|
||||
|
||||
HttpServer::new(move || {
|
||||
App::new()
|
||||
.resource("/ws/", |r| r.route().f(chat_route))
|
||||
.handler(
|
||||
"/",
|
||||
fs::StaticFiles::new("./static/")
|
||||
.unwrap()
|
||||
.index_file("index.html"),
|
||||
)
|
||||
}).bind("127.0.0.1:8080")
|
||||
.unwrap()
|
||||
.start();
|
||||
|
||||
info!("Started http server: 127.0.0.1:8080");
|
||||
let _ = sys.run();
|
||||
}
|
133
websocket-chat-broker/src/server.rs
Normal file
133
websocket-chat-broker/src/server.rs
Normal file
@ -0,0 +1,133 @@
|
||||
use actix::prelude::*;
|
||||
use actix_broker::BrokerSubscribe;
|
||||
use rand;
|
||||
|
||||
use std::collections::HashMap;
|
||||
use std::mem;
|
||||
|
||||
#[derive(Clone, Message)]
|
||||
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 Room = HashMap<usize, Client>;
|
||||
#[derive(Default)]
|
||||
pub struct WsChatServer {
|
||||
rooms: HashMap<String, Room>,
|
||||
}
|
||||
|
||||
impl WsChatServer {
|
||||
fn take_room(&mut self, room_name: &str) -> Option<Room> {
|
||||
let room = self.rooms.get_mut(room_name)?;
|
||||
let room = mem::replace(room, HashMap::new());
|
||||
Some(room)
|
||||
}
|
||||
|
||||
fn add_client_to_room(
|
||||
&mut self,
|
||||
room_name: &str,
|
||||
id: Option<usize>,
|
||||
client: Client,
|
||||
) -> usize {
|
||||
let mut id = id.unwrap_or_else(|| rand::random::<usize>());
|
||||
if let Some(room) = self.rooms.get_mut(room_name) {
|
||||
loop {
|
||||
if room.contains_key(&id) {
|
||||
id = rand::random::<usize>();
|
||||
} else {
|
||||
break;
|
||||
}
|
||||
}
|
||||
room.insert(id, client);
|
||||
return id;
|
||||
}
|
||||
// Create a new room for the first client
|
||||
let mut room: Room = HashMap::new();
|
||||
room.insert(id, client);
|
||||
self.rooms.insert(room_name.to_owned(), room);
|
||||
id
|
||||
}
|
||||
|
||||
fn send_chat_message(
|
||||
&mut self,
|
||||
room_name: &str,
|
||||
msg: &str,
|
||||
_src: usize,
|
||||
) -> Option<()> {
|
||||
let mut room = self.take_room(room_name)?;
|
||||
for (id, client) in room.drain() {
|
||||
if client.do_send(ChatMessage(msg.to_owned())).is_ok() {
|
||||
self.add_client_to_room(room_name, Some(id), client);
|
||||
}
|
||||
}
|
||||
Some(())
|
||||
}
|
||||
}
|
||||
|
||||
impl Actor for WsChatServer {
|
||||
type Context = Context<Self>;
|
||||
|
||||
fn started(&mut self, ctx: &mut Self::Context) {
|
||||
self.subscribe_async::<LeaveRoom>(ctx);
|
||||
self.subscribe_async::<SendMessage>(ctx);
|
||||
}
|
||||
}
|
||||
|
||||
impl Handler<JoinRoom> for WsChatServer {
|
||||
type Result = MessageResult<JoinRoom>;
|
||||
|
||||
fn handle(&mut self, msg: JoinRoom, _ctx: &mut Self::Context) -> Self::Result {
|
||||
let JoinRoom(room_name, client_name, client) = msg;
|
||||
let id = self.add_client_to_room(&room_name, None, client);
|
||||
let join_msg = format!(
|
||||
"{} joined {}",
|
||||
client_name.unwrap_or("anon".to_string()),
|
||||
room_name
|
||||
);
|
||||
self.send_chat_message(&room_name, &join_msg, id);
|
||||
MessageResult(id)
|
||||
}
|
||||
}
|
||||
|
||||
impl Handler<LeaveRoom> for WsChatServer {
|
||||
type Result = ();
|
||||
|
||||
fn handle(&mut self, msg: LeaveRoom, _ctx: &mut Self::Context) {
|
||||
if let Some(room) = self.rooms.get_mut(&msg.0) {
|
||||
room.remove(&msg.1);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl Handler<ListRooms> for WsChatServer {
|
||||
type Result = MessageResult<ListRooms>;
|
||||
|
||||
fn handle(&mut self, _: ListRooms, _ctx: &mut Self::Context) -> Self::Result {
|
||||
MessageResult(self.rooms.keys().cloned().collect())
|
||||
}
|
||||
}
|
||||
|
||||
impl Handler<SendMessage> for WsChatServer {
|
||||
type Result = ();
|
||||
|
||||
fn handle(&mut self, msg: SendMessage, _ctx: &mut Self::Context) {
|
||||
let SendMessage(room_name, id, msg) = msg;
|
||||
self.send_chat_message(&room_name, &msg, id);
|
||||
}
|
||||
}
|
||||
|
||||
impl SystemService for WsChatServer {}
|
||||
impl Supervised for WsChatServer {}
|
90
websocket-chat-broker/static/index.html
Normal file
90
websocket-chat-broker/static/index.html
Normal file
@ -0,0 +1,90 @@
|
||||
<!DOCTYPE html>
|
||||
<meta charset="utf-8" />
|
||||
<html>
|
||||
<head>
|
||||
<script src="http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js">
|
||||
</script>
|
||||
<script language="javascript" type="text/javascript">
|
||||
$(function() {
|
||||
var conn = null;
|
||||
function log(msg) {
|
||||
var control = $('#log');
|
||||
control.html(control.html() + msg + '<br/>');
|
||||
control.scrollTop(control.scrollTop() + 1000);
|
||||
}
|
||||
function connect() {
|
||||
disconnect();
|
||||
var wsUri = (window.location.protocol=='https:'&&'wss://'||'ws://')+window.location.host + '/ws/';
|
||||
conn = new WebSocket(wsUri);
|
||||
log('Connecting...');
|
||||
conn.onopen = function() {
|
||||
log('Connected.');
|
||||
update_ui();
|
||||
};
|
||||
conn.onmessage = function(e) {
|
||||
log('Received: ' + e.data);
|
||||
};
|
||||
conn.onclose = function() {
|
||||
log('Disconnected.');
|
||||
conn = null;
|
||||
update_ui();
|
||||
};
|
||||
}
|
||||
function disconnect() {
|
||||
if (conn != null) {
|
||||
log('Disconnecting...');
|
||||
conn.close();
|
||||
conn = null;
|
||||
update_ui();
|
||||
}
|
||||
}
|
||||
function update_ui() {
|
||||
var msg = '';
|
||||
if (conn == null) {
|
||||
$('#status').text('disconnected');
|
||||
$('#connect').html('Connect');
|
||||
} else {
|
||||
$('#status').text('connected (' + conn.protocol + ')');
|
||||
$('#connect').html('Disconnect');
|
||||
}
|
||||
}
|
||||
$('#connect').click(function() {
|
||||
if (conn == null) {
|
||||
connect();
|
||||
} else {
|
||||
disconnect();
|
||||
}
|
||||
update_ui();
|
||||
return false;
|
||||
});
|
||||
$('#send').click(function() {
|
||||
var text = $('#text').val();
|
||||
log('Sending: ' + text);
|
||||
conn.send(text);
|
||||
$('#text').val('').focus();
|
||||
return false;
|
||||
});
|
||||
$('#text').keyup(function(e) {
|
||||
if (e.keyCode === 13) {
|
||||
$('#send').click();
|
||||
return false;
|
||||
}
|
||||
});
|
||||
});
|
||||
</script>
|
||||
</head>
|
||||
<body>
|
||||
<h3>Chat!</h3>
|
||||
<div>
|
||||
<button id="connect">Connect</button> | Status:
|
||||
<span id="status">disconnected</span>
|
||||
</div>
|
||||
<div id="log"
|
||||
style="width:20em;height:15em;overflow:auto;border:1px solid black">
|
||||
</div>
|
||||
<form id="chatform" onsubmit="return false;">
|
||||
<input id="text" type="text" />
|
||||
<input id="send" type="button" value="Send" />
|
||||
</form>
|
||||
</body>
|
||||
</html>
|
Loading…
Reference in New Issue
Block a user