Set up a tabletop view for both the GM and the player #260

Merged
savanni merged 15 commits from visions-playfield into main 2024-11-20 04:06:13 +00:00
6 changed files with 183 additions and 26 deletions
Showing only changes of commit 0237393c0b - Show all commits

11
Cargo.lock generated
View File

@ -522,7 +522,7 @@ checksum = "baf1de4339761588bc0619e3cbc0120ee582ebb74b53b4efbf79117bd2da40fd"
name = "changeset" name = "changeset"
version = "0.1.0" version = "0.1.0"
dependencies = [ dependencies = [
"uuid 1.10.0", "uuid 0.8.2",
] ]
[[package]] [[package]]
@ -2357,7 +2357,7 @@ source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "4979f22fdb869068da03c9f7528f8297c6fd2606bc3a4affe42e6a823fdb8da4" checksum = "4979f22fdb869068da03c9f7528f8297c6fd2606bc3a4affe42e6a823fdb8da4"
dependencies = [ dependencies = [
"cfg-if", "cfg-if",
"windows-targets 0.48.5", "windows-targets 0.52.6",
] ]
[[package]] [[package]]
@ -4815,9 +4815,9 @@ dependencies = [
[[package]] [[package]]
name = "uuid" name = "uuid"
version = "1.10.0" version = "1.11.0"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "81dfa00651efa65069b0b6b651f4aaa31ba9e3c3ce0137aaad053604ee7e0314" checksum = "f8c5f0a0af699448548ad1a2fbf920fb4bee257eae39953ba95cb84891a0446a"
dependencies = [ dependencies = [
"getrandom", "getrandom",
] ]
@ -4857,12 +4857,15 @@ name = "visions"
version = "0.1.0" version = "0.1.0"
dependencies = [ dependencies = [
"authdb", "authdb",
"futures",
"http 1.1.0", "http 1.1.0",
"mime 0.3.17", "mime 0.3.17",
"mime_guess 2.0.5", "mime_guess 2.0.5",
"serde 1.0.210", "serde 1.0.210",
"serde_json", "serde_json",
"tokio", "tokio",
"tokio-stream",
"uuid 1.11.0",
"warp", "warp",
] ]

View File

@ -14,3 +14,6 @@ tokio = { version = "1", features = [ "full" ] }
warp = { version = "0.3" } warp = { version = "0.3" }
mime_guess = "2.0.5" mime_guess = "2.0.5"
mime = "0.3.17" mime = "0.3.17"
uuid = { version = "1.11.0", features = ["v4"] }
futures = "0.3.31"
tokio-stream = "0.1.16"

View File

@ -1,17 +1,25 @@
use std::{ use std::{
collections::HashMap,
io::Read, io::Read,
path::PathBuf, path::PathBuf,
sync::{Arc, RwLock}, sync::{Arc, RwLock},
}; };
use tokio::sync::mpsc::{unbounded_channel, UnboundedReceiver, UnboundedSender};
use uuid::Uuid;
use crate::types::Message;
#[derive(Debug)] #[derive(Debug)]
pub enum AppError { struct WebsocketClient {
JsonError(serde_json::Error), sender: Option<UnboundedSender<Message>>,
} }
#[derive(Clone, Debug)] #[derive(Debug)]
pub struct AppState { pub struct AppState {
pub image_base: PathBuf, pub image_base: PathBuf,
pub clients: HashMap<String, WebsocketClient>,
} }
#[derive(Clone, Debug)] #[derive(Clone, Debug)]
@ -21,9 +29,40 @@ impl Core {
pub fn new() -> Self { pub fn new() -> Self {
Self(Arc::new(RwLock::new(AppState { Self(Arc::new(RwLock::new(AppState {
image_base: PathBuf::from("/home/savanni/Pictures"), image_base: PathBuf::from("/home/savanni/Pictures"),
clients: HashMap::new(),
}))) })))
} }
pub fn register_client(&self) -> String {
let mut state = self.0.write().unwrap();
let uuid = Uuid::new_v4().simple().to_string();
let client = WebsocketClient { sender: None };
state.clients.insert(uuid.clone(), client);
uuid
}
pub fn unregister_client(&self, client_id: String) {
let mut state = self.0.write().unwrap();
let _ = state.clients.remove(&client_id);
}
pub fn connect_client(&self, client_id: String) -> UnboundedReceiver<Message> {
let mut state = self.0.write().unwrap();
match state.clients.get_mut(&client_id) {
Some(client) => {
let (tx, rx) = unbounded_channel();
client.sender = Some(tx);
rx
}
None => {
unimplemented!();
}
}
}
pub fn get_file(&self, file_name: String) -> Vec<u8> { pub fn get_file(&self, file_name: String) -> Vec<u8> {
let mut full_path = self.0.read().unwrap().image_base.clone(); let mut full_path = self.0.read().unwrap().image_base.clone();
full_path.push(&file_name); full_path.push(&file_name);
@ -55,4 +94,14 @@ impl Core {
}) })
.collect() .collect()
} }
pub fn publish(&self, message: Message) {
let state = self.0.read().unwrap();
state.clients.values().for_each(|client| {
if let Some(ref sender) = client.sender {
let _ = sender.send(message.clone());
}
});
}
} }

View File

@ -1,11 +1,11 @@
use std::{io::Read, path::PathBuf}; use std::{pin::Pin, time::Duration};
use authdb::{AuthDB, AuthToken}; use futures::{SinkExt, StreamExt};
use http::{Error, StatusCode};
use serde::{Deserialize, Serialize}; use serde::{Deserialize, Serialize};
use warp::{http::Response, reply::Reply}; use tokio_stream::wrappers::UnboundedReceiverStream;
use warp::{http::Response, reply::Reply, ws::Message};
use crate::core::Core; use crate::{core::Core, types::PlayArea};
/* /*
pub async fn handle_auth( pub async fn handle_auth(
@ -31,17 +31,12 @@ pub async fn handle_auth(
} }
*/ */
#[derive(Deserialize, Serialize)]
pub struct PlayArea {
pub background_image: PathBuf,
}
pub async fn handle_playing_field() -> impl Reply { pub async fn handle_playing_field() -> impl Reply {
Response::builder() Response::builder()
.header("application-type", "application/json") .header("application-type", "application/json")
.body( .body(
serde_json::to_string(&PlayArea { serde_json::to_string(&PlayArea {
background_image: PathBuf::from("tower-in-mist.jpg"), background_image: "tower-in-mist.jpg".to_owned(),
}) })
.unwrap(), .unwrap(),
) )
@ -64,3 +59,52 @@ pub async fn handle_available_images(core: Core) -> impl Reply {
.body(serde_json::to_string(&core.available_images()).unwrap()) .body(serde_json::to_string(&core.available_images()).unwrap())
.unwrap() .unwrap()
} }
#[derive(Deserialize, Serialize)]
pub struct RegisterRequest {}
#[derive(Deserialize, Serialize)]
pub struct RegisterResponse {
url: String,
}
pub async fn handle_register_client(core: Core, request: RegisterRequest) -> impl Reply {
let client_id = core.register_client();
warp::reply::json(&RegisterResponse {
url: format!("ws://127.0.0.1:8001/ws/{}", client_id),
})
}
pub async fn handle_unregister_client(core: Core, client_id: String) -> impl Reply {
core.unregister_client(client_id);
warp::reply::reply()
}
pub async fn handle_connect_websocket(
core: Core,
ws: warp::ws::Ws,
client_id: String,
) -> impl Reply {
println!("handle_connect_websocket: {}", client_id);
ws.on_upgrade(move |socket| {
let core = core.clone();
async move {
let (mut ws_sender, mut ws_recv) = socket.split();
let mut receiver = core.connect_client(client_id);
tokio::task::spawn(async move {
let mut i = 0;
ws_sender.send(Message::text(serde_json::to_string(&crate::types::Message::Count(0)).unwrap())).await;
while let Some(msg) = receiver.recv().await {
let _ = ws_sender
.send(Message::text(
serde_json::to_string(&msg).unwrap(),
))
.await;
}
});
}
})
}

View File

@ -1,5 +1,8 @@
use authdb::AuthError; use authdb::AuthError;
use handlers::{handle_available_images, handle_file, handle_playing_field}; use handlers::{
handle_available_images, handle_connect_websocket, handle_file, handle_playing_field,
handle_register_client, handle_unregister_client, RegisterRequest,
};
use std::{ use std::{
convert::Infallible, convert::Infallible,
net::{IpAddr, Ipv4Addr, SocketAddr}, net::{IpAddr, Ipv4Addr, SocketAddr},
@ -16,6 +19,8 @@ mod core;
mod handlers; mod handlers;
// use handlers::handle_auth; // use handlers::handle_auth;
mod types;
#[derive(Debug)] #[derive(Debug)]
struct Unauthorized; struct Unauthorized;
impl warp::reject::Reject for Unauthorized {} impl warp::reject::Reject for Unauthorized {}
@ -99,21 +104,54 @@ pub async fn main() {
.and(warp::get()) .and(warp::get())
.then({ .then({
let core = core.clone(); let core = core.clone();
move |file_name| { move |file_name| handle_file(core.clone(), file_name)
handle_file(core.clone(), file_name)
}
}); });
let route_available_images = warp::path!("api" / "v1" / "image").and(warp::get()).then({ let route_available_images = warp::path!("api" / "v1" / "image").and(warp::get()).then({
let core = core.clone(); let core = core.clone();
move || { move || handle_available_images(core.clone())
handle_available_images(core.clone()) });
let route_register_client = warp::path!("api" / "v1" / "client")
.and(warp::post())
.then({
let core = core.clone();
move || handle_register_client(core.clone(), RegisterRequest {})
});
let route_unregister_client = warp::path!("api" / "v1" / "client" / String)
.and(warp::delete())
.then({
let core = core.clone();
move |client_id| handle_unregister_client(core.clone(), client_id)
});
let route_websocket = warp::path("ws")
.and(warp::ws())
.and(warp::path::param())
.then({
let core = core.clone();
move |ws, client_id| handle_connect_websocket(core.clone(), ws, client_id)
});
let route_publish = warp::path!("api" / "v1" / "message")
.and(warp::post())
.and(warp::body::json())
.map({
let core = core.clone();
move |body| {
core.publish(body);
warp::reply()
} }
}); });
let filter = route_playing_field let filter = route_register_client
.or(route_unregister_client)
.or(route_websocket)
.or(route_playing_field)
.or(route_image) .or(route_image)
.or(route_available_images) .or(route_available_images)
.or(route_publish)
.recover(handle_rejection); .recover(handle_rejection);
let server = warp::serve(filter); let server = warp::serve(filter);

View File

@ -0,0 +1,20 @@
use serde::{Deserialize, Serialize};
#[derive(Clone, Debug, Deserialize, Serialize)]
pub struct PlayArea {
pub background_image: String,
}
#[derive(Debug)]
pub enum AppError {
JsonError(serde_json::Error),
}
#[derive(Clone, Debug, Deserialize, Serialize)]
pub enum Message {
Count(u32),
// PlayArea(PlayArea),
}