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 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231
use rerun::external::re_log;
use std::collections::VecDeque;
use std::sync::Arc;
use std::time::Duration;
use tokio::io::{AsyncReadExt, AsyncWriteExt, ReadHalf, WriteHalf};
use tokio::net::TcpStream;
use tokio::sync::mpsc::{unbounded_channel, UnboundedReceiver, UnboundedSender};
use tokio::sync::{Mutex, Notify};
use super::protocol::Message;
/// A client for handling connections to an external application from within the Rerun viewer.
///
/// This client manages a TCP connection to the external application and provides bidirectional
/// message communication through separate read and write tasks.
///
/// # Message Handling
/// - Messages can be sent through the [`ControlViewerHandle`]
/// - Received messages are processed in the read handler
/// - Messages to be sent are queued and processed asynchronously
///
/// # Examples
/// ```
/// # use custom_callback::comms::viewer::ControlViewer;
/// # use custom_callback::comms::protocol::Message;
/// # async fn example() -> tokio::io::Result<()> {
/// let viewer = ControlViewer::connect("127.0.0.1:8080".to_owned()).await?;
/// let handle = viewer.handle();
///
/// // Spawn the main connection handling task
/// tokio::spawn(viewer.run());
///
/// // Send messages through the handle
/// handle.send(Message::Point3d {
/// path: "path".to_owned(),
/// position: (1.0, 2.0, 3.0),
/// radius: 1.0,
/// }).unwrap();
/// # Ok(())
/// # }
/// ```
#[derive(Debug)]
pub struct ControlViewer {
address: String,
tx: UnboundedSender<Message>,
rx: Arc<Mutex<UnboundedReceiver<Message>>>,
message_queue: Arc<Mutex<VecDeque<Message>>>,
notify: Arc<Notify>,
}
/// A [`Clone`] handle to the write channel opened by a [`ControlViewer`].
#[derive(Clone)]
pub struct ControlViewerHandle {
tx: UnboundedSender<Message>,
}
impl ControlViewerHandle {
pub fn send(&self, msg: Message) -> Result<(), tokio::sync::mpsc::error::SendError<Message>> {
self.tx.send(msg)
}
}
impl ControlViewer {
pub async fn connect(address: String) -> tokio::io::Result<Self> {
let (tx, rx) = unbounded_channel();
Ok(Self {
address,
tx,
rx: Arc::new(Mutex::new(rx)),
message_queue: Arc::new(Mutex::new(VecDeque::new())),
notify: Arc::new(Notify::new()),
})
}
pub fn handle(&self) -> ControlViewerHandle {
ControlViewerHandle {
tx: self.tx.clone(),
}
}
pub async fn run(self) {
re_log::info!("Starting client");
// Spawn a background task to handle messages from the global channel.
{
let rx = Arc::clone(&self.rx);
let message_queue = Arc::clone(&self.message_queue);
let notify = Arc::clone(&self.notify);
tokio::spawn(async move {
Self::global_message_handler(rx, message_queue, notify).await;
});
}
loop {
match TcpStream::connect(self.address.clone()).await {
Ok(socket) => {
if let Err(err) = socket.set_linger(Some(Duration::from_secs(2))) {
re_log::error!(
"Failed to set socket linger: {}",
re_error::format_ref(&err)
);
}
re_log::info!("Connected to {}", self.address);
let (read_half, write_half) = tokio::io::split(socket);
// Spawn tasks to handle read and write
let reader_task = tokio::spawn(Self::handle_read(read_half));
let writer_task = {
let message_queue = Arc::clone(&self.message_queue);
let notify = Arc::clone(&self.notify);
tokio::spawn(async move {
Self::handle_write(write_half, message_queue, notify).await;
})
};
// Wait for tasks to complete
tokio::select! {
result = reader_task => {
if let Err(err) = result {
re_log::error!("Reader task ended with error: {}", re_error::format_ref(&err));
}
}
result = writer_task => {
if let Err(err) = result {
re_log::error!("Writer task ended with error: {}", re_error::format_ref(&err));
}
}
}
re_log::info!("Connection lost. Attempting to reconnect...");
}
Err(err) => {
re_log::error!(
"Failed to connect to {}: {}",
self.address,
re_error::format_ref(&err)
);
}
}
// Wait some time before attempting to reconnect
tokio::time::sleep(Duration::from_secs(5)).await;
}
}
async fn global_message_handler(
rx: Arc<Mutex<UnboundedReceiver<Message>>>,
message_queue: Arc<Mutex<VecDeque<Message>>>,
notify: Arc<Notify>,
) {
let mut rx_guard = rx.lock().await;
while let Some(message) = rx_guard.recv().await {
// Store the message in the queue and notify the writer task
let mut queue_guard = message_queue.lock().await;
queue_guard.push_back(message);
drop(queue_guard);
notify.notify_one();
}
re_log::info!("Global message channel closed");
}
async fn handle_read(mut read: ReadHalf<TcpStream>) {
let mut buf = [0; 1024];
loop {
match read.read(&mut buf).await {
Ok(0) => {
re_log::info!("Server closed connection");
break;
}
Ok(n) => match Message::decode(&buf[..n]) {
Ok(message) => {
// we received a message from the server, we can process it here if needed
re_log::info!("Received message from server: {:?}", message);
}
Err(err) => {
re_log::error!(
"Failed to decode message: {:?}",
re_error::format_ref(&err)
);
}
},
Err(err) => {
re_log::error!(
"Error reading from server: {:?}",
re_error::format_ref(&err)
);
break;
}
}
}
}
async fn handle_write(
mut write: WriteHalf<TcpStream>,
message_queue: Arc<Mutex<VecDeque<Message>>>,
notify: Arc<Notify>,
) {
loop {
let message_option;
{
let mut queue_guard = message_queue.lock().await;
message_option = queue_guard.pop_front();
}
match message_option {
Some(message) => match message {
Message::Disconnect => {
re_log::info!("Disconnecting...");
break;
}
_ => {
if let Ok(data) = message.encode() {
if let Err(err) = write.write_all(&data).await {
re_log::error!(
"Failed to send message error: {}",
re_error::format_ref(&err)
);
break;
}
}
}
},
None => {
// If no messages are available, wait for a new one to arrive
notify.notified().await;
}
}
}
}
}