mirror of
https://github.com/actix/examples
synced 2024-11-23 14:31:07 +01:00
add workspace
This commit is contained in:
parent
3a4a0e5b81
commit
1dea2cf3c3
1
.gitignore
vendored
1
.gitignore
vendored
@ -1,6 +1,7 @@
|
|||||||
# Generated by Cargo
|
# Generated by Cargo
|
||||||
# will have compiled files and executables
|
# will have compiled files and executables
|
||||||
/*/target/
|
/*/target/
|
||||||
|
target/
|
||||||
|
|
||||||
# Remove Cargo.lock from gitignore if creating an executable, leave it for libraries
|
# Remove Cargo.lock from gitignore if creating an executable, leave it for libraries
|
||||||
# More information here http://doc.crates.io/guide.html#cargotoml-vs-cargolock
|
# More information here http://doc.crates.io/guide.html#cargotoml-vs-cargolock
|
||||||
|
2363
Cargo.lock
generated
Normal file
2363
Cargo.lock
generated
Normal file
File diff suppressed because it is too large
Load Diff
21
Cargo.toml
Normal file
21
Cargo.toml
Normal file
@ -0,0 +1,21 @@
|
|||||||
|
[workspace]
|
||||||
|
members = [
|
||||||
|
"./",
|
||||||
|
"basics",
|
||||||
|
"diesel",
|
||||||
|
"hello-world",
|
||||||
|
"http-proxy",
|
||||||
|
"json",
|
||||||
|
"juniper",
|
||||||
|
"multipart",
|
||||||
|
"protobuf",
|
||||||
|
"r2d2",
|
||||||
|
"redis-session",
|
||||||
|
"state",
|
||||||
|
"template_tera",
|
||||||
|
"tls",
|
||||||
|
"unix-socket",
|
||||||
|
"web-cors/backend",
|
||||||
|
"websocket",
|
||||||
|
"websocket-chat",
|
||||||
|
]
|
@ -1,21 +0,0 @@
|
|||||||
[package]
|
|
||||||
name = "basics"
|
|
||||||
version = "0.1.0"
|
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
|
||||||
workspace = "../.."
|
|
||||||
|
|
||||||
[dependencies]
|
|
||||||
futures = "0.1"
|
|
||||||
log = "0.4"
|
|
||||||
env_logger = "0.5"
|
|
||||||
|
|
||||||
serde = "1.0"
|
|
||||||
serde_json = "1.0"
|
|
||||||
serde_derive = "1.0"
|
|
||||||
|
|
||||||
# cli
|
|
||||||
structopt = "0.2"
|
|
||||||
structopt-derive = "0.2"
|
|
||||||
|
|
||||||
actix = "0.5"
|
|
||||||
actix-remote = "0.0.1"
|
|
@ -1,109 +0,0 @@
|
|||||||
//! Start two `basic` instances
|
|
||||||
//! 1. cargo run --example basic -- 127.0.0.1:7654
|
|
||||||
//! 2. ./target/debug/examples/basic 127.0.0.1:7655 127.0.0.1:7654
|
|
||||||
//!
|
|
||||||
//! first instance sends messages, second instance respondes to messages from first instance
|
|
||||||
//!
|
|
||||||
#![allow(dead_code, unused_variables)]
|
|
||||||
|
|
||||||
extern crate log;
|
|
||||||
extern crate env_logger;
|
|
||||||
extern crate futures;
|
|
||||||
#[macro_use] extern crate actix;
|
|
||||||
extern crate actix_remote;
|
|
||||||
extern crate serde_json;
|
|
||||||
#[macro_use] extern crate serde_derive;
|
|
||||||
extern crate structopt;
|
|
||||||
#[macro_use] extern crate structopt_derive;
|
|
||||||
|
|
||||||
use std::time::Duration;
|
|
||||||
|
|
||||||
use actix_remote::*;
|
|
||||||
use actix::prelude::*;
|
|
||||||
use futures::Future;
|
|
||||||
use structopt::StructOpt;
|
|
||||||
|
|
||||||
mod msgs;
|
|
||||||
use msgs::TestMessage;
|
|
||||||
|
|
||||||
|
|
||||||
struct MyActor {
|
|
||||||
cnt: usize,
|
|
||||||
hb: bool,
|
|
||||||
recipient: Recipient<Remote, TestMessage>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl MyActor {
|
|
||||||
fn hb(&self, ctx: &mut Context<Self>) {
|
|
||||||
self.recipient.send(TestMessage{msg: "TEST".to_owned()})
|
|
||||||
.and_then(|r| {
|
|
||||||
println!("REMOTE RESULT: {:?}", r);
|
|
||||||
Ok(())
|
|
||||||
})
|
|
||||||
.map_err(|_| ())
|
|
||||||
.into_actor(self)
|
|
||||||
.spawn(ctx);
|
|
||||||
|
|
||||||
ctx.run_later(Duration::from_secs(3), |act, ctx| act.hb(ctx));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Actor for MyActor {
|
|
||||||
type Context = Context<Self>;
|
|
||||||
|
|
||||||
fn started(&mut self, ctx: &mut Context<Self>) {
|
|
||||||
if self.hb {
|
|
||||||
self.hb(ctx);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Handler<TestMessage> for MyActor {
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: TestMessage, _ctx: &mut Context<Self>) {
|
|
||||||
println!("REMOTE MESSAGE: {:?}", msg);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(StructOpt, Debug)]
|
|
||||||
struct Cli {
|
|
||||||
/// Network address
|
|
||||||
addr: String,
|
|
||||||
/// Network node address
|
|
||||||
node: Option<String>,
|
|
||||||
}
|
|
||||||
|
|
||||||
fn main() {
|
|
||||||
::std::env::set_var("RUST_LOG", "actix_remote=debug");
|
|
||||||
let _ = env_logger::init();
|
|
||||||
|
|
||||||
// cmd arguments
|
|
||||||
let args = Cli::from_args();
|
|
||||||
let addr = args.addr.to_lowercase().trim().to_owned();
|
|
||||||
let node = args.node.map(|n| n.to_lowercase().trim().to_owned());
|
|
||||||
|
|
||||||
let sys = actix::System::new("remote-example");
|
|
||||||
|
|
||||||
// send messages from main instance
|
|
||||||
let hb = node.is_none();
|
|
||||||
|
|
||||||
// create world
|
|
||||||
let mut world = World::new(addr).unwrap().add_node(node);
|
|
||||||
|
|
||||||
// get remote recipient
|
|
||||||
let recipient = world.get_recipient::<TestMessage>();
|
|
||||||
|
|
||||||
let addr = world.start();
|
|
||||||
let a: Addr<Unsync, _> = MyActor::create(move |ctx| {
|
|
||||||
ctx.run_later(Duration::from_millis(5000), move |_, ctx| {
|
|
||||||
// register actor as recipient for `TestMessage` message
|
|
||||||
World::register_recipient(
|
|
||||||
&addr, ctx.address::<Addr<Syn, _>>().recipient());
|
|
||||||
});
|
|
||||||
|
|
||||||
MyActor{cnt: 0, hb, recipient}
|
|
||||||
});
|
|
||||||
|
|
||||||
let _ = sys.run();
|
|
||||||
}
|
|
@ -1,13 +0,0 @@
|
|||||||
use actix_remote::*;
|
|
||||||
|
|
||||||
|
|
||||||
#[derive(Debug, Message, Serialize, Deserialize)]
|
|
||||||
pub struct TestMessage {
|
|
||||||
pub msg: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl RemoteMessage for TestMessage {
|
|
||||||
fn type_id() -> &'static str {
|
|
||||||
"TestMessage"
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,26 +0,0 @@
|
|||||||
[package]
|
|
||||||
name = "chat"
|
|
||||||
version = "0.1.0"
|
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
|
||||||
|
|
||||||
[[bin]]
|
|
||||||
name = "server"
|
|
||||||
path = "src/main.rs"
|
|
||||||
|
|
||||||
[[bin]]
|
|
||||||
name = "client"
|
|
||||||
path = "src/client.rs"
|
|
||||||
|
|
||||||
[dependencies]
|
|
||||||
rand = "0.3"
|
|
||||||
bytes = "0.4"
|
|
||||||
byteorder = "1.1"
|
|
||||||
futures = "0.1"
|
|
||||||
tokio-io = "0.1"
|
|
||||||
tokio-core = "0.1"
|
|
||||||
|
|
||||||
serde = "1.0"
|
|
||||||
serde_json = "1.0"
|
|
||||||
serde_derive = "1.0"
|
|
||||||
|
|
||||||
actix = "^0.5"
|
|
@ -1,20 +0,0 @@
|
|||||||
# Chat example
|
|
||||||
|
|
||||||
|
|
||||||
## 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
|
|
||||||
* `some message` - just string, send message to all peers in same room
|
|
||||||
* client has to send heartbeat `Ping` messages, if server does not receive a heartbeat
|
|
||||||
message for 10 seconds connection gets dropped
|
|
||||||
|
|
||||||
To start server use command: `cargo run --bin server`
|
|
||||||
|
|
||||||
## Client
|
|
||||||
|
|
||||||
Client connects to server. Reads input from stdin and sends to server.
|
|
||||||
|
|
||||||
To run client use command: `cargo run --bin client`
|
|
@ -1,151 +0,0 @@
|
|||||||
#[macro_use] extern crate actix;
|
|
||||||
extern crate bytes;
|
|
||||||
extern crate byteorder;
|
|
||||||
extern crate futures;
|
|
||||||
extern crate tokio_io;
|
|
||||||
extern crate tokio_core;
|
|
||||||
extern crate serde;
|
|
||||||
extern crate serde_json;
|
|
||||||
#[macro_use] extern crate serde_derive;
|
|
||||||
|
|
||||||
use std::{io, net, process, thread};
|
|
||||||
use std::str::FromStr;
|
|
||||||
use std::time::Duration;
|
|
||||||
use futures::Future;
|
|
||||||
use tokio_io::AsyncRead;
|
|
||||||
use tokio_io::io::WriteHalf;
|
|
||||||
use tokio_io::codec::FramedRead;
|
|
||||||
use tokio_core::net::TcpStream;
|
|
||||||
use actix::prelude::*;
|
|
||||||
|
|
||||||
mod codec;
|
|
||||||
|
|
||||||
|
|
||||||
fn main() {
|
|
||||||
let sys = actix::System::new("chat-client");
|
|
||||||
|
|
||||||
// Connect to server
|
|
||||||
let addr = net::SocketAddr::from_str("127.0.0.1:12345").unwrap();
|
|
||||||
Arbiter::handle().spawn(
|
|
||||||
TcpStream::connect(&addr, Arbiter::handle())
|
|
||||||
.and_then(|stream| {
|
|
||||||
let addr: Addr<Syn, _> = ChatClient::create(|ctx| {
|
|
||||||
let (r, w) = stream.split();
|
|
||||||
ctx.add_stream(FramedRead::new(r, codec::ClientChatCodec));
|
|
||||||
ChatClient{framed: actix::io::FramedWrite::new(
|
|
||||||
w, codec::ClientChatCodec, ctx)}});
|
|
||||||
|
|
||||||
// start console loop
|
|
||||||
thread::spawn(move|| {
|
|
||||||
loop {
|
|
||||||
let mut cmd = String::new();
|
|
||||||
if io::stdin().read_line(&mut cmd).is_err() {
|
|
||||||
println!("error");
|
|
||||||
return
|
|
||||||
}
|
|
||||||
|
|
||||||
addr.do_send(ClientCommand(cmd));
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
futures::future::ok(())
|
|
||||||
})
|
|
||||||
.map_err(|e| {
|
|
||||||
println!("Can not connect to server: {}", e);
|
|
||||||
process::exit(1)
|
|
||||||
})
|
|
||||||
);
|
|
||||||
|
|
||||||
println!("Running chat client");
|
|
||||||
sys.run();
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
struct ChatClient {
|
|
||||||
framed: actix::io::FramedWrite<WriteHalf<TcpStream>, codec::ClientChatCodec>,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Message)]
|
|
||||||
struct ClientCommand(String);
|
|
||||||
|
|
||||||
impl Actor for ChatClient {
|
|
||||||
type Context = Context<Self>;
|
|
||||||
|
|
||||||
fn started(&mut self, ctx: &mut Context<Self>) {
|
|
||||||
// start heartbeats otherwise server will disconnect after 10 seconds
|
|
||||||
self.hb(ctx)
|
|
||||||
}
|
|
||||||
|
|
||||||
fn stopping(&mut self, _: &mut Context<Self>) -> Running {
|
|
||||||
println!("Disconnected");
|
|
||||||
|
|
||||||
// Stop application on disconnect
|
|
||||||
Arbiter::system().do_send(actix::msgs::SystemExit(0));
|
|
||||||
|
|
||||||
Running::Stop
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl ChatClient {
|
|
||||||
fn hb(&self, ctx: &mut Context<Self>) {
|
|
||||||
ctx.run_later(Duration::new(1, 0), |act, ctx| {
|
|
||||||
act.framed.write(codec::ChatRequest::Ping);
|
|
||||||
act.hb(ctx);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl actix::io::WriteHandler<io::Error> for ChatClient {}
|
|
||||||
|
|
||||||
/// Handle stdin commands
|
|
||||||
impl Handler<ClientCommand> for ChatClient
|
|
||||||
{
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: ClientCommand, _: &mut Context<Self>) {
|
|
||||||
let m = msg.0.trim();
|
|
||||||
|
|
||||||
// we check for /sss type of messages
|
|
||||||
if m.starts_with('/') {
|
|
||||||
let v: Vec<&str> = m.splitn(2, ' ').collect();
|
|
||||||
match v[0] {
|
|
||||||
"/list" => {
|
|
||||||
self.framed.write(codec::ChatRequest::List);
|
|
||||||
},
|
|
||||||
"/join" => {
|
|
||||||
if v.len() == 2 {
|
|
||||||
self.framed.write(codec::ChatRequest::Join(v[1].to_owned()));
|
|
||||||
} else {
|
|
||||||
println!("!!! room name is required");
|
|
||||||
}
|
|
||||||
},
|
|
||||||
_ => println!("!!! unknown command"),
|
|
||||||
}
|
|
||||||
} else {
|
|
||||||
self.framed.write(codec::ChatRequest::Message(m.to_owned()));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Server communication
|
|
||||||
impl StreamHandler<codec::ChatResponse, io::Error> for ChatClient {
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: codec::ChatResponse, _: &mut Context<Self>) {
|
|
||||||
match msg {
|
|
||||||
codec::ChatResponse::Message(ref msg) => {
|
|
||||||
println!("message: {}", msg);
|
|
||||||
}
|
|
||||||
codec::ChatResponse::Joined(ref msg) => {
|
|
||||||
println!("!!! joined: {}", msg);
|
|
||||||
}
|
|
||||||
codec::ChatResponse::Rooms(rooms) => {
|
|
||||||
println!("\n!!! Available rooms:");
|
|
||||||
for room in rooms {
|
|
||||||
println!("{}", room);
|
|
||||||
}
|
|
||||||
println!();
|
|
||||||
}
|
|
||||||
_ => (),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,124 +0,0 @@
|
|||||||
#![allow(dead_code)]
|
|
||||||
use std::io;
|
|
||||||
use serde_json as json;
|
|
||||||
use byteorder::{BigEndian , ByteOrder};
|
|
||||||
use bytes::{BytesMut, BufMut};
|
|
||||||
use tokio_io::codec::{Encoder, Decoder};
|
|
||||||
|
|
||||||
|
|
||||||
/// Client request
|
|
||||||
#[derive(Serialize, Deserialize, Debug, Message)]
|
|
||||||
#[serde(tag="cmd", content="data")]
|
|
||||||
pub enum ChatRequest {
|
|
||||||
/// List rooms
|
|
||||||
List,
|
|
||||||
/// Join rooms
|
|
||||||
Join(String),
|
|
||||||
/// Send message
|
|
||||||
Message(String),
|
|
||||||
/// Ping
|
|
||||||
Ping
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Server response
|
|
||||||
#[derive(Serialize, Deserialize, Debug, Message)]
|
|
||||||
#[serde(tag="cmd", content="data")]
|
|
||||||
pub enum ChatResponse {
|
|
||||||
Ping,
|
|
||||||
|
|
||||||
/// List of rooms
|
|
||||||
Rooms(Vec<String>),
|
|
||||||
|
|
||||||
/// Joined
|
|
||||||
Joined(String),
|
|
||||||
|
|
||||||
/// Message
|
|
||||||
Message(String),
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Codec for Client -> Server transport
|
|
||||||
pub struct ChatCodec;
|
|
||||||
|
|
||||||
impl Decoder for ChatCodec
|
|
||||||
{
|
|
||||||
type Item = ChatRequest;
|
|
||||||
type Error = io::Error;
|
|
||||||
|
|
||||||
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> {
|
|
||||||
let size = {
|
|
||||||
if src.len() < 2 {
|
|
||||||
return Ok(None)
|
|
||||||
}
|
|
||||||
BigEndian::read_u16(src.as_ref()) as usize
|
|
||||||
};
|
|
||||||
|
|
||||||
if src.len() >= size + 2 {
|
|
||||||
src.split_to(2);
|
|
||||||
let buf = src.split_to(size);
|
|
||||||
Ok(Some(json::from_slice::<ChatRequest>(&buf)?))
|
|
||||||
} else {
|
|
||||||
Ok(None)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Encoder for ChatCodec
|
|
||||||
{
|
|
||||||
type Item = ChatResponse;
|
|
||||||
type Error = io::Error;
|
|
||||||
|
|
||||||
fn encode(&mut self, msg: ChatResponse, dst: &mut BytesMut) -> Result<(), Self::Error> {
|
|
||||||
let msg = json::to_string(&msg).unwrap();
|
|
||||||
let msg_ref: &[u8] = msg.as_ref();
|
|
||||||
|
|
||||||
dst.reserve(msg_ref.len() + 2);
|
|
||||||
dst.put_u16::<BigEndian>(msg_ref.len() as u16);
|
|
||||||
dst.put(msg_ref);
|
|
||||||
|
|
||||||
Ok(())
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// Codec for Server -> Client transport
|
|
||||||
pub struct ClientChatCodec;
|
|
||||||
|
|
||||||
impl Decoder for ClientChatCodec
|
|
||||||
{
|
|
||||||
type Item = ChatResponse;
|
|
||||||
type Error = io::Error;
|
|
||||||
|
|
||||||
fn decode(&mut self, src: &mut BytesMut) -> Result<Option<Self::Item>, Self::Error> {
|
|
||||||
let size = {
|
|
||||||
if src.len() < 2 {
|
|
||||||
return Ok(None)
|
|
||||||
}
|
|
||||||
BigEndian::read_u16(src.as_ref()) as usize
|
|
||||||
};
|
|
||||||
|
|
||||||
if src.len() >= size + 2 {
|
|
||||||
src.split_to(2);
|
|
||||||
let buf = src.split_to(size);
|
|
||||||
Ok(Some(json::from_slice::<ChatResponse>(&buf)?))
|
|
||||||
} else {
|
|
||||||
Ok(None)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Encoder for ClientChatCodec
|
|
||||||
{
|
|
||||||
type Item = ChatRequest;
|
|
||||||
type Error = io::Error;
|
|
||||||
|
|
||||||
fn encode(&mut self, msg: ChatRequest, dst: &mut BytesMut) -> Result<(), Self::Error> {
|
|
||||||
let msg = json::to_string(&msg).unwrap();
|
|
||||||
let msg_ref: &[u8] = msg.as_ref();
|
|
||||||
|
|
||||||
dst.reserve(msg_ref.len() + 2);
|
|
||||||
dst.put_u16::<BigEndian>(msg_ref.len() as u16);
|
|
||||||
dst.put(msg_ref);
|
|
||||||
|
|
||||||
Ok(())
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,89 +0,0 @@
|
|||||||
#![cfg_attr(feature="cargo-clippy", allow(let_unit_value))]
|
|
||||||
extern crate rand;
|
|
||||||
extern crate bytes;
|
|
||||||
extern crate byteorder;
|
|
||||||
extern crate futures;
|
|
||||||
extern crate tokio_io;
|
|
||||||
extern crate tokio_core;
|
|
||||||
extern crate serde;
|
|
||||||
extern crate serde_json;
|
|
||||||
#[macro_use] extern crate serde_derive;
|
|
||||||
|
|
||||||
#[macro_use] extern crate actix;
|
|
||||||
|
|
||||||
use std::net;
|
|
||||||
use std::str::FromStr;
|
|
||||||
use futures::Stream;
|
|
||||||
use tokio_io::AsyncRead;
|
|
||||||
use tokio_io::codec::FramedRead;
|
|
||||||
use tokio_core::net::{TcpListener, TcpStream};
|
|
||||||
use actix::prelude::*;
|
|
||||||
|
|
||||||
mod codec;
|
|
||||||
mod server;
|
|
||||||
mod session;
|
|
||||||
|
|
||||||
use codec::ChatCodec;
|
|
||||||
use server::ChatServer;
|
|
||||||
use session::ChatSession;
|
|
||||||
|
|
||||||
|
|
||||||
/// Define tcp server that will accept incoming tcp connection and create
|
|
||||||
/// chat actors.
|
|
||||||
struct Server {
|
|
||||||
chat: Addr<Unsync, ChatServer>,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Make actor from `Server`
|
|
||||||
impl Actor for Server {
|
|
||||||
/// Every actor has to provide execution `Context` in which it can run.
|
|
||||||
type Context = Context<Self>;
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Message)]
|
|
||||||
struct TcpConnect(pub TcpStream, pub net::SocketAddr);
|
|
||||||
|
|
||||||
/// Handle stream of TcpStream's
|
|
||||||
impl Handler<TcpConnect> for Server {
|
|
||||||
/// this is response for message, which is defined by `ResponseType` trait
|
|
||||||
/// in this case we just return unit.
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: TcpConnect, _: &mut Context<Self>) {
|
|
||||||
// For each incoming connection we create `ChatSession` actor
|
|
||||||
// with out chat server address.
|
|
||||||
let server = self.chat.clone();
|
|
||||||
let _: () = ChatSession::create(
|
|
||||||
move |ctx| {
|
|
||||||
let (r, w) = msg.0.split();
|
|
||||||
ChatSession::add_stream(FramedRead::new(r, ChatCodec), ctx);
|
|
||||||
ChatSession::new(server, actix::io::FramedWrite::new(w, ChatCodec, ctx))
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
fn main() {
|
|
||||||
let sys = actix::System::new("chat-server");
|
|
||||||
|
|
||||||
// Start chat server actor
|
|
||||||
let server: Addr<Unsync, _> = ChatServer::default().start();
|
|
||||||
|
|
||||||
// Create server listener
|
|
||||||
let addr = net::SocketAddr::from_str("127.0.0.1:12345").unwrap();
|
|
||||||
let listener = TcpListener::bind(&addr, Arbiter::handle()).unwrap();
|
|
||||||
|
|
||||||
// Our chat server `Server` is an actor, first we need to start it
|
|
||||||
// and then add stream on incoming tcp connections to it.
|
|
||||||
// TcpListener::incoming() returns stream of the (TcpStream, net::SocketAddr) items
|
|
||||||
// So to be able to handle this events `Server` actor has to implement
|
|
||||||
// stream handler `StreamHandler<(TcpStream, net::SocketAddr), io::Error>`
|
|
||||||
let _: () = Server::create(|ctx| {
|
|
||||||
ctx.add_message_stream(listener.incoming()
|
|
||||||
.map_err(|_| ()).map(|(st, addr)| TcpConnect(st, addr)));
|
|
||||||
Server{chat: server}
|
|
||||||
});
|
|
||||||
|
|
||||||
println!("Running chat server on 127.0.0.1:12345");
|
|
||||||
sys.run();
|
|
||||||
}
|
|
@ -1,203 +0,0 @@
|
|||||||
//! `ChatServer` is an actor. It maintains list of connection client session.
|
|
||||||
//! And manages available rooms. Peers send messages to other peers in same
|
|
||||||
//! room through `ChatServer`.
|
|
||||||
|
|
||||||
use std::cell::RefCell;
|
|
||||||
use std::collections::{HashMap, HashSet};
|
|
||||||
use rand::{self, Rng, ThreadRng};
|
|
||||||
use actix::prelude::*;
|
|
||||||
|
|
||||||
use session;
|
|
||||||
|
|
||||||
/// Message for chat server communications
|
|
||||||
|
|
||||||
/// New chat session is created
|
|
||||||
pub struct Connect {
|
|
||||||
pub addr: Addr<Unsync, session::ChatSession>,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Response type for Connect message
|
|
||||||
///
|
|
||||||
/// Chat server returns unique session id
|
|
||||||
impl actix::Message for Connect {
|
|
||||||
type Result = usize;
|
|
||||||
}
|
|
||||||
|
|
||||||
|
|
||||||
/// Session is disconnected
|
|
||||||
#[derive(Message)]
|
|
||||||
pub struct Disconnect {
|
|
||||||
pub id: usize,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Send message to specific room
|
|
||||||
#[derive(Message)]
|
|
||||||
pub struct Message {
|
|
||||||
/// Id of the client session
|
|
||||||
pub id: usize,
|
|
||||||
/// Peer message
|
|
||||||
pub msg: String,
|
|
||||||
/// Room name
|
|
||||||
pub room: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// List of available rooms
|
|
||||||
pub struct ListRooms;
|
|
||||||
|
|
||||||
impl actix::Message for ListRooms {
|
|
||||||
type Result = Vec<String>;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Join room, if room does not exists create new one.
|
|
||||||
#[derive(Message)]
|
|
||||||
pub struct Join {
|
|
||||||
/// Client id
|
|
||||||
pub id: usize,
|
|
||||||
/// Room name
|
|
||||||
pub name: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
/// `ChatServer` manages chat rooms and responsible for coordinating chat session.
|
|
||||||
/// implementation is super primitive
|
|
||||||
pub struct ChatServer {
|
|
||||||
sessions: HashMap<usize, Addr<Unsync, session::ChatSession>>,
|
|
||||||
rooms: HashMap<String, HashSet<usize>>,
|
|
||||||
rng: RefCell<ThreadRng>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Default for ChatServer {
|
|
||||||
fn default() -> ChatServer {
|
|
||||||
// default room
|
|
||||||
let mut rooms = HashMap::new();
|
|
||||||
rooms.insert("Main".to_owned(), HashSet::new());
|
|
||||||
|
|
||||||
ChatServer {
|
|
||||||
sessions: HashMap::new(),
|
|
||||||
rooms: rooms,
|
|
||||||
rng: RefCell::new(rand::thread_rng()),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl ChatServer {
|
|
||||||
/// Send message to all users in the room
|
|
||||||
fn send_message(&self, room: &str, message: &str, skip_id: usize) {
|
|
||||||
if let Some(sessions) = self.rooms.get(room) {
|
|
||||||
for id in sessions {
|
|
||||||
if *id != skip_id {
|
|
||||||
if let Some(addr) = self.sessions.get(id) {
|
|
||||||
addr.do_send(session::Message(message.to_owned()))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Make actor from `ChatServer`
|
|
||||||
impl Actor for ChatServer {
|
|
||||||
/// We are going to use simple Context, we just need ability to communicate
|
|
||||||
/// with other actors.
|
|
||||||
type Context = Context<Self>;
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Handler for Connect message.
|
|
||||||
///
|
|
||||||
/// Register new session and assign unique id to this session
|
|
||||||
impl Handler<Connect> for ChatServer {
|
|
||||||
type Result = usize;
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: Connect, _: &mut Context<Self>) -> Self::Result {
|
|
||||||
println!("Someone joined");
|
|
||||||
|
|
||||||
// notify all users in same room
|
|
||||||
self.send_message(&"Main".to_owned(), "Someone joined", 0);
|
|
||||||
|
|
||||||
// register session with random id
|
|
||||||
let id = self.rng.borrow_mut().gen::<usize>();
|
|
||||||
self.sessions.insert(id, msg.addr);
|
|
||||||
|
|
||||||
// auto join session to Main room
|
|
||||||
self.rooms.get_mut(&"Main".to_owned()).unwrap().insert(id);
|
|
||||||
|
|
||||||
// send id back
|
|
||||||
id
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Handler for Disconnect message.
|
|
||||||
impl Handler<Disconnect> for ChatServer {
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: Disconnect, _: &mut Context<Self>) {
|
|
||||||
println!("Someone disconnected");
|
|
||||||
|
|
||||||
let mut rooms: Vec<String> = Vec::new();
|
|
||||||
|
|
||||||
// remove address
|
|
||||||
if self.sessions.remove(&msg.id).is_some() {
|
|
||||||
// remove session from all rooms
|
|
||||||
for (name, sessions) in &mut self.rooms {
|
|
||||||
if sessions.remove(&msg.id) {
|
|
||||||
rooms.push(name.to_owned());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
// send message to other users
|
|
||||||
for room in rooms {
|
|
||||||
self.send_message(&room, "Someone disconnected", 0);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Handler for Message message.
|
|
||||||
impl Handler<Message> for ChatServer {
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: Message, _: &mut Context<Self>) {
|
|
||||||
self.send_message(&msg.room, msg.msg.as_str(), msg.id);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Handler for `ListRooms` message.
|
|
||||||
impl Handler<ListRooms> for ChatServer {
|
|
||||||
type Result = MessageResult<ListRooms>;
|
|
||||||
|
|
||||||
fn handle(&mut self, _: ListRooms, _: &mut Context<Self>) -> Self::Result {
|
|
||||||
let mut rooms = Vec::new();
|
|
||||||
|
|
||||||
for key in self.rooms.keys() {
|
|
||||||
rooms.push(key.to_owned())
|
|
||||||
}
|
|
||||||
|
|
||||||
MessageResult(rooms)
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Join room, send disconnect message to old room
|
|
||||||
/// send join message to new room
|
|
||||||
impl Handler<Join> for ChatServer {
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: Join, _: &mut Context<Self>) {
|
|
||||||
let Join {id, name} = msg;
|
|
||||||
let mut rooms = Vec::new();
|
|
||||||
|
|
||||||
// remove session from all rooms
|
|
||||||
for (n, sessions) in &mut self.rooms {
|
|
||||||
if sessions.remove(&id) {
|
|
||||||
rooms.push(n.to_owned());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
// send message to other users
|
|
||||||
for room in rooms {
|
|
||||||
self.send_message(&room, "Someone disconnected", 0);
|
|
||||||
}
|
|
||||||
|
|
||||||
if self.rooms.get_mut(&name).is_none() {
|
|
||||||
self.rooms.insert(name.clone(), HashSet::new());
|
|
||||||
}
|
|
||||||
self.send_message(&name, "Someone connected", id);
|
|
||||||
self.rooms.get_mut(&name).unwrap().insert(id);
|
|
||||||
}
|
|
||||||
}
|
|
@ -1,148 +0,0 @@
|
|||||||
//! `ClientSession` is an actor, it manages peer tcp connection and
|
|
||||||
//! proxies commands from peer to `ChatServer`.
|
|
||||||
use std::io;
|
|
||||||
use std::time::{Instant, Duration};
|
|
||||||
use tokio_core::net::TcpStream;
|
|
||||||
use tokio_io::io::WriteHalf;
|
|
||||||
use actix::prelude::*;
|
|
||||||
|
|
||||||
use server::{self, ChatServer};
|
|
||||||
use codec::{ChatRequest, ChatResponse, ChatCodec};
|
|
||||||
|
|
||||||
|
|
||||||
/// Chat server sends this messages to session
|
|
||||||
#[derive(Message)]
|
|
||||||
pub struct Message(pub String);
|
|
||||||
|
|
||||||
/// `ChatSession` actor is responsible for tcp peer communications.
|
|
||||||
pub struct ChatSession {
|
|
||||||
/// unique session id
|
|
||||||
id: usize,
|
|
||||||
/// this is address of chat server
|
|
||||||
addr: Addr<Unsync, ChatServer>,
|
|
||||||
/// Client must send ping at least once per 10 seconds, otherwise we drop connection.
|
|
||||||
hb: Instant,
|
|
||||||
/// joined room
|
|
||||||
room: String,
|
|
||||||
/// Framed wrapper
|
|
||||||
framed: actix::io::FramedWrite<WriteHalf<TcpStream>, ChatCodec>,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Actor for ChatSession {
|
|
||||||
type Context = actix::Context<Self>;
|
|
||||||
|
|
||||||
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.
|
|
||||||
self.addr.send(server::Connect{addr: ctx.address()})
|
|
||||||
.into_actor(self)
|
|
||||||
.then(|res, act, ctx| {
|
|
||||||
match res {
|
|
||||||
Ok(res) => act.id = res,
|
|
||||||
// something is wrong with chat server
|
|
||||||
_ => ctx.stop(),
|
|
||||||
}
|
|
||||||
actix::fut::ok(())
|
|
||||||
}).wait(ctx);
|
|
||||||
}
|
|
||||||
|
|
||||||
fn stopping(&mut self, _: &mut Self::Context) -> Running {
|
|
||||||
// notify chat server
|
|
||||||
self.addr.do_send(server::Disconnect{id: self.id});
|
|
||||||
Running::Stop
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl actix::io::WriteHandler<io::Error> for ChatSession {}
|
|
||||||
|
|
||||||
/// To use `Framed` with an actor, we have to implement `StreamHandler` trait
|
|
||||||
impl StreamHandler<ChatRequest, io::Error> for ChatSession {
|
|
||||||
|
|
||||||
/// This is main event loop for client requests
|
|
||||||
fn handle(&mut self, msg: ChatRequest, ctx: &mut Self::Context) {
|
|
||||||
match msg {
|
|
||||||
ChatRequest::List => {
|
|
||||||
// Send ListRooms message to chat server and wait for response
|
|
||||||
println!("List rooms");
|
|
||||||
self.addr.send(server::ListRooms)
|
|
||||||
.into_actor(self) // <- create actor compatible future
|
|
||||||
.then(|res, act, _| {
|
|
||||||
match res {
|
|
||||||
Ok(rooms) => act.framed.write(ChatResponse::Rooms(rooms)),
|
|
||||||
_ => println!("Something is wrong"),
|
|
||||||
}
|
|
||||||
actix::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
|
|
||||||
},
|
|
||||||
ChatRequest::Join(name) => {
|
|
||||||
println!("Join to room: {}", name);
|
|
||||||
self.room = name.clone();
|
|
||||||
self.addr.do_send(server::Join{id: self.id, name: name.clone()});
|
|
||||||
self.framed.write(ChatResponse::Joined(name));
|
|
||||||
},
|
|
||||||
ChatRequest::Message(message) => {
|
|
||||||
// send message to chat server
|
|
||||||
println!("Peer message: {}", message);
|
|
||||||
self.addr.do_send(
|
|
||||||
server::Message{id: self.id,
|
|
||||||
msg: message, room:
|
|
||||||
self.room.clone()})
|
|
||||||
}
|
|
||||||
// we update heartbeat time on ping from peer
|
|
||||||
ChatRequest::Ping =>
|
|
||||||
self.hb = Instant::now(),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Handler for Message, chat server sends this message, we just send string to peer
|
|
||||||
impl Handler<Message> for ChatSession {
|
|
||||||
type Result = ();
|
|
||||||
|
|
||||||
fn handle(&mut self, msg: Message, _: &mut Self::Context) {
|
|
||||||
// send message to peer
|
|
||||||
self.framed.write(ChatResponse::Message(msg.0));
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// Helper methods
|
|
||||||
impl ChatSession {
|
|
||||||
|
|
||||||
pub fn new(addr: Addr<Unsync, ChatServer>,
|
|
||||||
framed: actix::io::FramedWrite<WriteHalf<TcpStream>, ChatCodec>) -> ChatSession
|
|
||||||
{
|
|
||||||
ChatSession {id: 0,
|
|
||||||
addr: addr,
|
|
||||||
hb: Instant::now(),
|
|
||||||
room: "Main".to_owned(),
|
|
||||||
framed: framed}
|
|
||||||
}
|
|
||||||
|
|
||||||
/// helper method that sends ping to client every second.
|
|
||||||
///
|
|
||||||
/// also this method check heartbeats from client
|
|
||||||
fn hb(&self, ctx: &mut actix::Context<Self>) {
|
|
||||||
ctx.run_later(Duration::new(1, 0), |act, ctx| {
|
|
||||||
// check client heartbeats
|
|
||||||
if Instant::now().duration_since(act.hb) > Duration::new(10, 0) {
|
|
||||||
// heartbeat timed out
|
|
||||||
println!("Client heartbeat failed, disconnecting!");
|
|
||||||
|
|
||||||
// notify chat server
|
|
||||||
act.addr.do_send(server::Disconnect{id: act.id});
|
|
||||||
|
|
||||||
// stop actor
|
|
||||||
ctx.stop();
|
|
||||||
}
|
|
||||||
|
|
||||||
act.framed.write(ChatResponse::Ping);
|
|
||||||
act.hb(ctx);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
@ -2,6 +2,7 @@
|
|||||||
name = "basics"
|
name = "basics"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
futures = "0.1"
|
futures = "0.1"
|
||||||
|
@ -109,7 +109,7 @@ fn main() {
|
|||||||
io::Error::new(io::ErrorKind::Other, "test"), StatusCode::OK)
|
io::Error::new(io::ErrorKind::Other, "test"), StatusCode::OK)
|
||||||
}))
|
}))
|
||||||
// static files
|
// static files
|
||||||
.handler("/static/", fs::StaticFiles::new("../static/"))
|
.handler("/static/", fs::StaticFiles::new("static/"))
|
||||||
// redirect
|
// redirect
|
||||||
.resource("/", |r| r.method(Method::GET).f(|req| {
|
.resource("/", |r| r.method(Method::GET).f(|req| {
|
||||||
println!("{:?}", req);
|
println!("{:?}", req);
|
||||||
|
Before Width: | Height: | Size: 13 KiB After Width: | Height: | Size: 13 KiB |
Before Width: | Height: | Size: 1.1 KiB After Width: | Height: | Size: 1.1 KiB |
@ -2,6 +2,7 @@
|
|||||||
name = "diesel-example"
|
name = "diesel-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "hello-world"
|
name = "hello-world"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "http-proxy"
|
name = "http-proxy"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "json-example"
|
name = "json-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
bytes = "0.4"
|
bytes = "0.4"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "juniper-example"
|
name = "juniper-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["pyros2097 <pyros2097@gmail.com>"]
|
authors = ["pyros2097 <pyros2097@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "multipart-example"
|
name = "multipart-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[[bin]]
|
[[bin]]
|
||||||
name = "multipart"
|
name = "multipart"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "protobuf-example"
|
name = "protobuf-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["kingxsp <jin_hb_zh@126.com>"]
|
authors = ["kingxsp <jin_hb_zh@126.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
bytes = "0.4"
|
bytes = "0.4"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "r2d2-example"
|
name = "r2d2-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "redis-session"
|
name = "redis-session"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "state"
|
name = "state"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
futures = "0.1"
|
futures = "0.1"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "template-tera"
|
name = "template-tera"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "tls-example"
|
name = "tls-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[[bin]]
|
[[bin]]
|
||||||
name = "server"
|
name = "server"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "unix-socket"
|
name = "unix-socket"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Messense Lv <messense@icloud.com>"]
|
authors = ["Messense Lv <messense@icloud.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
env_logger = "0.5"
|
env_logger = "0.5"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "actix-web-cors"
|
name = "actix-web-cors"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["krircc <krircc@aliyun.com>"]
|
authors = ["krircc <krircc@aliyun.com>"]
|
||||||
|
workspace = "../../"
|
||||||
|
|
||||||
[dependencies]
|
[dependencies]
|
||||||
serde = "1.0"
|
serde = "1.0"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "websocket-example"
|
name = "websocket-example"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[[bin]]
|
[[bin]]
|
||||||
name = "server"
|
name = "server"
|
||||||
|
@ -2,6 +2,7 @@
|
|||||||
name = "websocket"
|
name = "websocket"
|
||||||
version = "0.1.0"
|
version = "0.1.0"
|
||||||
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
authors = ["Nikolay Kim <fafhrd91@gmail.com>"]
|
||||||
|
workspace = "../"
|
||||||
|
|
||||||
[[bin]]
|
[[bin]]
|
||||||
name = "server"
|
name = "server"
|
||||||
|
@ -55,7 +55,7 @@ fn main() {
|
|||||||
// websocket route
|
// websocket route
|
||||||
.resource("/ws/", |r| r.method(http::Method::GET).f(ws_index))
|
.resource("/ws/", |r| r.method(http::Method::GET).f(ws_index))
|
||||||
// static files
|
// static files
|
||||||
.handler("/", fs::StaticFiles::new("../static/")
|
.handler("/", fs::StaticFiles::new("static/")
|
||||||
.index_file("index.html")))
|
.index_file("index.html")))
|
||||||
// start http server on 127.0.0.1:8080
|
// start http server on 127.0.0.1:8080
|
||||||
.bind("127.0.0.1:8080").unwrap()
|
.bind("127.0.0.1:8080").unwrap()
|
||||||
|
BIN
websocket/static/actixLogo.png
Normal file
BIN
websocket/static/actixLogo.png
Normal file
Binary file not shown.
After Width: | Height: | Size: 13 KiB |
BIN
websocket/static/favicon.ico
Normal file
BIN
websocket/static/favicon.ico
Normal file
Binary file not shown.
After Width: | Height: | Size: 1.1 KiB |
90
websocket/static/index.html
Normal file
90
websocket/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