1use std::collections::VecDeque;
2use std::marker::PhantomData;
3use std::pin::Pin;
4use std::task::ready;
5
6use futures::stream::Stream;
7use futures::task::{Context, Poll};
8use futures::{SinkExt, StreamExt};
9use tokio_tungstenite::tungstenite::Message as WsMessage;
10use tokio_tungstenite::MaybeTlsStream;
11use tokio_tungstenite::{tungstenite::protocol::WebSocketConfig, WebSocketStream};
12
13use chromiumoxide_cdp::cdp::browser_protocol::target::SessionId;
14use chromiumoxide_types::{CallId, EventMessage, Message, MethodCall, MethodId};
15
16use crate::error::CdpError;
17use crate::error::Result;
18
19type ConnectStream = MaybeTlsStream<tokio::net::TcpStream>;
20
21#[must_use = "streams do nothing unless polled"]
23#[derive(Debug)]
24pub struct Connection<T: EventMessage> {
25 pending_commands: VecDeque<MethodCall>,
27 ws: WebSocketStream<ConnectStream>,
29 next_id: usize,
31 needs_flush: bool,
33 pending_flush: Option<MethodCall>,
35 _marker: PhantomData<T>,
37}
38
39lazy_static::lazy_static! {
40 static ref DISABLE_NAGLE: bool = match std::env::var("DISABLE_NAGLE") {
42 Ok(disable_nagle) => disable_nagle == "true",
43 _ => true
44 };
45 static ref WEBSOCKET_DEFAULTS: bool = match std::env::var("WEBSOCKET_DEFAULTS") {
47 Ok(d) => d == "true",
48 _ => false
49 };
50}
51
52impl<T: EventMessage + Unpin> Connection<T> {
53 pub async fn connect(debug_ws_url: impl AsRef<str>) -> Result<Self> {
54 let mut config = WebSocketConfig::default();
55
56 if *WEBSOCKET_DEFAULTS == false {
57 config.max_message_size = None;
58 config.max_frame_size = None;
59 }
60
61 let (ws, _) = tokio_tungstenite::connect_async_with_config(
62 debug_ws_url.as_ref(),
63 Some(config),
64 *DISABLE_NAGLE,
65 )
66 .await?;
67
68 Ok(Self {
69 pending_commands: Default::default(),
70 ws,
71 next_id: 0,
72 needs_flush: false,
73 pending_flush: None,
74 _marker: Default::default(),
75 })
76 }
77}
78
79impl<T: EventMessage> Connection<T> {
80 fn next_call_id(&mut self) -> CallId {
81 let id = CallId::new(self.next_id);
82 self.next_id = self.next_id.wrapping_add(1);
83 id
84 }
85
86 pub fn submit_command(
89 &mut self,
90 method: MethodId,
91 session_id: Option<SessionId>,
92 params: serde_json::Value,
93 ) -> serde_json::Result<CallId> {
94 let id = self.next_call_id();
95 let call = MethodCall {
96 id,
97 method,
98 session_id: session_id.map(Into::into),
99 params,
100 };
101 self.pending_commands.push_back(call);
102 Ok(id)
103 }
104
105 fn start_send_next(&mut self, cx: &mut Context<'_>) -> Result<()> {
108 if self.needs_flush {
109 if let Poll::Ready(Ok(())) = self.ws.poll_flush_unpin(cx) {
110 self.needs_flush = false;
111 }
112 }
113 if self.pending_flush.is_none() && !self.needs_flush {
114 if let Some(cmd) = self.pending_commands.pop_front() {
115 tracing::trace!("Sending {:?}", cmd);
116 let msg = serde_json::to_string(&cmd)?;
117 self.ws.start_send_unpin(msg.into())?;
118 self.pending_flush = Some(cmd);
119 }
120 }
121 Ok(())
122 }
123}
124
125impl<T: EventMessage + Unpin> Stream for Connection<T> {
126 type Item = Result<Message<T>>;
127
128 fn poll_next(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Self::Item>> {
129 let pin = self.get_mut();
130
131 loop {
132 if let Err(err) = pin.start_send_next(cx) {
134 return Poll::Ready(Some(Err(err)));
135 }
136
137 if let Some(call) = pin.pending_flush.take() {
139 if pin.ws.poll_ready_unpin(cx).is_ready() {
140 pin.needs_flush = true;
141 continue;
143 } else {
144 pin.pending_flush = Some(call);
145 }
146 }
147
148 break;
149 }
150
151 match ready!(pin.ws.poll_next_unpin(cx)) {
153 Some(Ok(WsMessage::Text(text))) => {
154 let ready = match crate::serde_json::from_str::<Message<T>>(&text) {
155 Ok(msg) => {
156 tracing::trace!("Received {:?}", msg);
157 Ok(msg)
158 }
159 Err(err) => {
160 tracing::error!(target: "chromiumoxide::conn::raw_ws::parse_errors", msg = text.to_string(), "Failed to parse raw WS message {err}");
161 Err(err.into())
162 }
163 };
164
165 Poll::Ready(Some(ready))
166 }
167 Some(Ok(WsMessage::Binary(mut text))) => {
168 let ready = match crate::serde_json::from_slice::<Message<T>>(&mut text) {
169 Ok(msg) => {
170 tracing::trace!("Received {:?}", msg);
171 Ok(msg)
172 }
173 Err(err) => {
174 tracing::error!(target: "chromiumoxide::conn::raw_ws::parse_errors", "Failed to parse raw WS message {err}");
175 Err(err.into())
176 }
177 };
178
179 Poll::Ready(Some(ready))
180 }
181 Some(Ok(WsMessage::Close(_))) => Poll::Ready(None),
182 Some(Ok(WsMessage::Ping(_))) | Some(Ok(WsMessage::Pong(_))) => {
184 cx.waker().wake_by_ref();
185 Poll::Pending
186 }
187 Some(Ok(msg)) => Poll::Ready(Some(Err(CdpError::UnexpectedWsMessage(msg)))),
188 Some(Err(err)) => Poll::Ready(Some(Err(CdpError::Ws(err)))),
189 None => {
190 Poll::Ready(None)
192 }
193 }
194 }
195}