我正在尝试创建一个 websocket 服务器(和 HTTP,因此使用 warp),它通过 websockets 将消息从一个源(MQTT 订阅)转发到许多客户端。除了客户端在第二条消息被广播之前没有收到第一条 websocket 消息之外,这似乎工作正常;然后总是留下一条消息,直到最后没有收到最后一条消息。对我来说,问题似乎是一个发送缓冲区,它永远不会在ws_connected
函数中完全刷新。
我使用futures::stream::iter将BusReader转换为流,然后将消息映射到Ok(Message)
WebSocket Sink 所需的类型。官方的 warp websocket 聊天示例使用类似的结构在流之间转发:https ://github.com/seanmonstar/warp/blob/42fd14fdab8145d27ae770fe4b5c843a99bc2a44/examples/websockets_chat.rs#L62 。
在这个精简的示例中,服务器通过总线广播值 0-9。websocat 客户端(和 Firefox 中的 JS websocket 客户端)接收消息 0-8——尽管总是在广播和服务器的标准输出后面——但 9 永远不会到达。然而,该async_bus_print
函数按时接收所有值,这证明消息至少通过总线没有问题。
这是服务器进程的输出:
async bus_print started
0
async bus: "0"
1
async bus: "1"
2
async bus: "2"
3
async bus: "3"
4
async bus: "4"
5
async bus: "5"
6
async bus: "6"
7
async bus: "7"
8
async bus: "8"
9
async bus: "9"
有问题的代码:
use std::{sync::{Arc, RwLock}, thread};
use bus::{Bus, BusReader};
use futures::StreamExt;
use warp::ws::{Message, WebSocket};
use warp::Filter;
async fn ws_connected(ws: WebSocket, rx: BusReader<String>) {
let (ws_tx, _ws_rx) = ws.split();
thread::spawn(|| {
futures::executor::block_on(async move {
if let Err(e) = futures::stream::iter(rx.into_iter())
.map(|ws_msg| Ok(Message::text(ws_msg)))
.forward(ws_tx)
.await
{
eprintln!("Goodbye, websocket user: {}", e);
}
});
});
}
async fn async_bus_print(mut rx: BusReader<String>) {
println!("async bus_print started");
thread::spawn(||
futures::executor::block_on(async move {
while let Some(msg) = futures::stream::iter(rx.iter()).next().await {
println!("async bus: {:#?}", msg);
}
})
);
}
async fn bus_tx(tx: Arc<RwLock<Bus<String>>>) {
for i in 0..10u8 {
tx.write().unwrap().broadcast(format!("{}", i));
println!("{}", i);
tokio::time::delay_for(std::time::Duration::from_secs(1)).await;
}
}
#[tokio::main]
async fn main() {
let bus = Arc::new(RwLock::new(Bus::new(20)));
let bus2 = Arc::clone(&bus);
let rx = warp::any().map(move || bus2.write().unwrap().add_rx());
let rx2 = bus.write().unwrap().add_rx();
let ws = warp::path("ws")
.and(warp::ws())
.and(rx)
.map(|ws: warp::ws::Ws, rx| ws.on_upgrade(move |socket| ws_connected(socket, rx)));
futures::join!(
async_bus_print(rx2),
bus_tx(bus),
warp::serve(ws).run(([127, 0, 0, 1], 3030)),
);
}
如何追踪并消除这个“缓冲”问题?
希望我已经解释得足够好。如果我能提供更多信息,请告诉我。谢谢你的帮助。