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
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
use std::future::Future;
use std::io;
use futures::SinkExt;
use futures::channel::mpsc::{Sender, channel, unbounded};
use futures::channel::oneshot::channel as oneshot_channel;
use futures::select;
use chromiumoxide_cdp::cdp::browser_protocol::browser::{
BrowserContextId, CloseReturns, GetVersionParams, GetVersionReturns,
};
use chromiumoxide_cdp::cdp::browser_protocol::network::{Cookie, CookieParam};
use chromiumoxide_cdp::cdp::browser_protocol::storage::{
ClearCookiesParams, GetCookiesParams, SetCookiesParams,
};
use chromiumoxide_cdp::cdp::browser_protocol::target::{
CreateBrowserContextParams, CreateTargetParams, DisposeBrowserContextParams, TargetId,
TargetInfo,
};
use chromiumoxide_cdp::cdp::{CdpEventMessage, IntoEventKind};
use chromiumoxide_types::*;
pub use self::config::{BrowserConfig, BrowserConfigBuilder, LAUNCH_TIMEOUT};
use crate::async_process::{Child, ExitStatus};
use crate::cmd::{CommandMessage, to_command_response};
use crate::conn::Connection;
use crate::error::{BrowserStderr, CdpError, Result};
use crate::handler::browser::BrowserContext;
use crate::handler::{Handler, HandlerConfig, HandlerMessage};
use crate::listeners::{EventListenerRequest, EventStream};
use crate::page::Page;
use crate::utils;
mod argument;
mod config;
/// A [`Browser`] is created when chromiumoxide connects to a Chromium instance.
#[derive(Debug)]
pub struct Browser {
/// The `Sender` to send messages to the connection handler that drives the
/// websocket
sender: Sender<HandlerMessage>,
/// How the spawned chromium instance was configured, if any
config: Option<BrowserConfig>,
/// The spawned chromium instance
child: Option<Child>,
/// The debug web socket url of the chromium instance
debug_ws_url: String,
/// The context of the browser
browser_context: BrowserContext,
}
/// Browser connection information.
#[derive(serde::Deserialize, Debug, Default)]
pub struct BrowserConnection {
#[serde(rename = "Browser")]
/// The browser name
pub browser: String,
#[serde(rename = "Protocol-Version")]
/// Browser version
pub protocol_version: String,
#[serde(rename = "User-Agent")]
/// User Agent used by default.
pub user_agent: String,
#[serde(rename = "V8-Version")]
/// The v8 engine version
pub v8_version: String,
#[serde(rename = "WebKit-Version")]
/// Webkit version
pub webkit_version: String,
#[serde(rename = "webSocketDebuggerUrl")]
/// Remote debugging address
pub web_socket_debugger_url: String,
}
impl Browser {
/// Connect to an already running chromium instance via the given URL.
///
/// If the URL is a http(s) URL, it will first attempt to retrieve the Websocket URL from the `json/version` endpoint.
pub async fn connect(url: impl Into<String>) -> Result<(Self, Handler)> {
Self::connect_with_config(url, HandlerConfig::default()).await
}
// Connect to an already running chromium instance with a given `HandlerConfig`.
///
/// If the URL is a http URL, it will first attempt to retrieve the Websocket URL from the `json/version` endpoint.
pub async fn connect_with_config(
url: impl Into<String>,
config: HandlerConfig,
) -> Result<(Self, Handler)> {
let mut debug_ws_url = url.into();
if debug_ws_url.starts_with("http") {
match reqwest::Client::new()
.get(
if debug_ws_url.ends_with("/json/version")
|| debug_ws_url.ends_with("/json/version/")
{
debug_ws_url.clone()
} else {
format!(
"{}{}json/version",
&debug_ws_url,
if debug_ws_url.ends_with('/') { "" } else { "/" }
)
},
)
.header("content-type", "application/json")
.send()
.await
{
Ok(req) => {
let socketaddr = req.remote_addr().unwrap();
let connection: BrowserConnection =
serde_json::from_slice(&req.bytes().await.unwrap_or_default())
.unwrap_or_default();
if !connection.web_socket_debugger_url.is_empty() {
// prevent proxy interfaces from returning local ips to connect to the exact machine
debug_ws_url = connection
.web_socket_debugger_url
.replace("127.0.0.1", &socketaddr.ip().to_string());
}
}
Err(_) => return Err(CdpError::NoResponse),
}
}
let conn = Connection::<CdpEventMessage>::connect(&debug_ws_url).await?;
let (tx, rx) = channel(1);
let fut = Handler::new(conn, rx, config);
let browser_context = fut.default_browser_context().clone();
let browser = Self {
sender: tx,
config: None,
child: None,
debug_ws_url,
browser_context,
};
Ok((browser, fut))
}
/// Launches a new instance of `chromium` in the background and attaches to
/// its debug web socket.
///
/// This fails when no chromium executable could be detected.
///
/// This fails if no web socket url could be detected from the child
/// processes stderr for more than the configured `launch_timeout`
/// (20 seconds by default).
pub async fn launch(mut config: BrowserConfig) -> Result<(Self, Handler)> {
// Canonalize paths to reduce issues with sandboxing
config.executable = utils::canonicalize_except_snap(config.executable).await?;
// Launch a new chromium instance
let mut child = config.launch()?;
/// Faillible initialization to run once the child process is created.
///
/// All faillible calls must be executed inside this function. This ensures that all
/// errors are caught and that the child process is properly cleaned-up.
async fn with_child(
config: &BrowserConfig,
child: &mut Child,
) -> Result<(String, Connection<CdpEventMessage>)> {
let dur = config.launch_timeout;
let timeout_fut = Box::pin(tokio::time::sleep(dur));
// extract the ws:
let debug_ws_url = ws_url_from_output(child, timeout_fut).await?;
let conn = Connection::<CdpEventMessage>::connect(&debug_ws_url).await?;
Ok((debug_ws_url, conn))
}
let (debug_ws_url, conn) = match with_child(&config, &mut child).await {
Ok(conn) => conn,
Err(e) => {
// An initialization error occurred, clean up the process
if let Ok(Some(_)) = child.try_wait() {
// already exited, do nothing, may happen if the browser crashed
} else {
// the process is still alive, kill it and wait for exit (avoid zombie processes)
child.kill().await.expect("`Browser::launch` failed but could not clean-up the child process (`kill`)");
child.wait().await.expect("`Browser::launch` failed but could not clean-up the child process (`wait`)");
}
return Err(e);
}
};
// Only infaillible calls are allowed after this point to avoid clean-up issues with the
// child process.
let (tx, rx) = channel(1);
let handler_config = HandlerConfig {
ignore_https_errors: config.ignore_https_errors,
ignore_invalid_messages: config.ignore_invalid_messages,
viewport: config.viewport.clone(),
context_ids: Vec::new(),
request_timeout: config.request_timeout,
request_intercept: config.request_intercept,
cache_enabled: config.cache_enabled,
};
let fut = Handler::new(conn, rx, handler_config);
let browser_context = fut.default_browser_context().clone();
let browser = Self {
sender: tx,
config: Some(config),
child: Some(child),
debug_ws_url,
browser_context,
};
Ok((browser, fut))
}
/// Request to fetch all existing browser targets.
///
/// By default, only targets launched after the browser connection are tracked
/// when connecting to a existing browser instance with the devtools websocket url
/// This function fetches existing targets on the browser and adds them as pages internally
///
/// The pages are not guaranteed to be ready as soon as the function returns
/// You should wait a few millis if you need to use a page
/// Returns [TargetInfo]
pub async fn fetch_targets(&mut self) -> Result<Vec<TargetInfo>> {
let (tx, rx) = oneshot_channel();
self.sender
.clone()
.send(HandlerMessage::FetchTargets(tx))
.await?;
rx.await?
}
/// Request for the browser to close completely.
///
/// If the browser was spawned by [`Browser::launch`], it is recommended to wait for the
/// spawned instance exit, to avoid "zombie" processes ([`Browser::wait`],
/// [`Browser::wait_sync`], [`Browser::try_wait`]).
/// [`Browser::drop`] waits automatically if needed.
pub async fn close(&mut self) -> Result<CloseReturns> {
let (tx, rx) = oneshot_channel();
self.sender
.clone()
.send(HandlerMessage::CloseBrowser(tx))
.await?;
rx.await?
}
/// Asynchronously wait for the spawned chromium instance to exit completely.
///
/// The instance is spawned by [`Browser::launch`]. `wait` is usually called after
/// [`Browser::close`]. You can call this explicitly to collect the process and avoid
/// "zombie" processes.
///
/// This call has no effect if this [`Browser`] did not spawn any chromium instance (e.g.
/// connected to an existing browser through [`Browser::connect`])
pub async fn wait(&mut self) -> io::Result<Option<ExitStatus>> {
if let Some(child) = self.child.as_mut() {
Ok(Some(child.wait().await?))
} else {
Ok(None)
}
}
/// If the spawned chromium instance has completely exited, wait for it.
///
/// The instance is spawned by [`Browser::launch`]. `try_wait` is usually called after
/// [`Browser::close`]. You can call this explicitly to collect the process and avoid
/// "zombie" processes.
///
/// This call has no effect if this [`Browser`] did not spawn any chromium instance (e.g.
/// connected to an existing browser through [`Browser::connect`])
pub fn try_wait(&mut self) -> io::Result<Option<ExitStatus>> {
if let Some(child) = self.child.as_mut() {
child.try_wait()
} else {
Ok(None)
}
}
/// Get the spawned chromium instance
///
/// The instance is spawned by [`Browser::launch`]. The result is a [`async_process::Child`]
/// value.
///A
/// You may use [`async_process::Child::as_mut_inner`] to retrieve the concrete implementation
/// for the selected runtime.
///
/// This call has no effect if this [`Browser`] did not spawn any chromium instance (e.g.
/// connected to an existing browser through [`Browser::connect`])
pub fn get_mut_child(&mut self) -> Option<&mut Child> {
self.child.as_mut()
}
/// Forcibly kill the spawned chromium instance
///
/// The instance is spawned by [`Browser::launch`]. `kill` will automatically wait for the child
/// process to exit to avoid "zombie" processes.
///
/// This method is provided to help if the browser does not close by itself. You should prefer
/// to use [`Browser::close`].
///
/// This call has no effect if this [`Browser`] did not spawn any chromium instance (e.g.
/// connected to an existing browser through [`Browser::connect`])
pub async fn kill(&mut self) -> Option<io::Result<()>> {
match self.child.as_mut() {
Some(child) => Some(child.kill().await),
None => None,
}
}
/// If not launched as incognito this creates a new incognito browser
/// context. After that this browser exists within the incognito session.
/// New pages created while being in incognito mode will also run in the
/// incognito context. Incognito contexts won't share cookies/cache with
/// other browser contexts.
pub async fn start_incognito_context(&mut self) -> Result<&mut Self> {
if !self.is_incognito_configured() {
let browser_context_id = self
.create_browser_context(CreateBrowserContextParams::default())
.await?;
self.browser_context = BrowserContext::from(browser_context_id);
self.sender
.clone()
.send(HandlerMessage::InsertContext(self.browser_context.clone()))
.await?;
}
Ok(self)
}
/// If a incognito session was created with
/// `Browser::start_incognito_context` this disposes this context.
///
/// # Note This will also dispose all pages that were running within the
/// incognito context.
pub async fn quit_incognito_context(&mut self) -> Result<&mut Self> {
if let Some(id) = self.browser_context.take() {
self.dispose_browser_context(id.clone()).await?;
self.sender
.clone()
.send(HandlerMessage::DisposeContext(BrowserContext::from(id)))
.await?;
}
Ok(self)
}
/// Whether incognito mode was configured from the start
fn is_incognito_configured(&self) -> bool {
self.config
.as_ref()
.map(|c| c.incognito)
.unwrap_or_default()
}
/// Returns the address of the websocket this browser is attached to
pub fn websocket_address(&self) -> &String {
&self.debug_ws_url
}
/// Whether the BrowserContext is incognito.
pub fn is_incognito(&self) -> bool {
self.is_incognito_configured() || self.browser_context.is_incognito()
}
/// The config of the spawned chromium instance if any.
pub fn config(&self) -> Option<&BrowserConfig> {
self.config.as_ref()
}
/// Create a new browser page
pub async fn new_page(&self, params: impl Into<CreateTargetParams>) -> Result<Page> {
let (tx, rx) = oneshot_channel();
let mut params = params.into();
if let Some(id) = self.browser_context.id() {
if params.browser_context_id.is_none() {
params.browser_context_id = Some(id.clone());
}
}
self.sender
.clone()
.send(HandlerMessage::CreatePage(params, tx))
.await?;
rx.await?
}
/// Version information about the browser
pub async fn version(&self) -> Result<GetVersionReturns> {
Ok(self.execute(GetVersionParams::default()).await?.result)
}
/// Returns the user agent of the browser
pub async fn user_agent(&self) -> Result<String> {
Ok(self.version().await?.user_agent)
}
/// Call a browser method.
pub async fn execute<T: Command>(&self, cmd: T) -> Result<CommandResponse<T::Response>> {
let (tx, rx) = oneshot_channel();
let method = cmd.identifier();
let msg = CommandMessage::new(cmd, tx)?;
self.sender
.clone()
.send(HandlerMessage::Command(msg))
.await?;
let resp = rx.await??;
to_command_response::<T>(resp, method)
}
/// Return all of the pages of the browser
pub async fn pages(&self) -> Result<Vec<Page>> {
let (tx, rx) = oneshot_channel();
self.sender
.clone()
.send(HandlerMessage::GetPages(tx))
.await?;
Ok(rx.await?)
}
/// Return page of given target_id
pub async fn get_page(&self, target_id: TargetId) -> Result<Page> {
let (tx, rx) = oneshot_channel();
self.sender
.clone()
.send(HandlerMessage::GetPage(target_id, tx))
.await?;
rx.await?.ok_or(CdpError::NotFound)
}
/// Set listener for browser event
pub async fn event_listener<T: IntoEventKind>(&self) -> Result<EventStream<T>> {
let (tx, rx) = unbounded();
self.sender
.clone()
.send(HandlerMessage::AddEventListener(
EventListenerRequest::new::<T>(tx),
))
.await?;
Ok(EventStream::new(rx))
}
/// Creates a new empty browser context.
pub async fn create_browser_context(
&self,
params: CreateBrowserContextParams,
) -> Result<BrowserContextId> {
let response = self.execute(params).await?;
Ok(response.result.browser_context_id)
}
/// Deletes a browser context.
pub async fn dispose_browser_context(
&self,
browser_context_id: impl Into<BrowserContextId>,
) -> Result<()> {
self.execute(DisposeBrowserContextParams::new(browser_context_id))
.await?;
Ok(())
}
/// Creates a new incognito browser context with a specified proxy.
///
/// The proxy should be in the format `scheme://host:port` (e.g., `http://10.10.1.1:8080`).
/// Note: Authentication via `user:pass@host:port` in `proxy_server` string is generally
/// NOT supported by Chrome directly for contexts. You may need to handle auth challenges separately.
pub async fn create_incognito_context_with_proxy(
&self,
proxy_server: impl Into<String>,
) -> Result<BrowserContextId> {
let params = CreateBrowserContextParams::builder()
.proxy_server(proxy_server)
.build();
self.create_browser_context(params).await
}
/// Clears cookies.
pub async fn clear_cookies(&self) -> Result<()> {
self.execute(ClearCookiesParams::default()).await?;
Ok(())
}
/// Returns all browser cookies.
pub async fn get_cookies(&self) -> Result<Vec<Cookie>> {
Ok(self
.execute(GetCookiesParams::default())
.await?
.result
.cookies)
}
/// Sets given cookies.
pub async fn set_cookies(&self, mut cookies: Vec<CookieParam>) -> Result<&Self> {
for cookie in &mut cookies {
if let Some(url) = cookie.url.as_ref() {
crate::page::validate_cookie_url(url)?;
}
}
self.execute(SetCookiesParams::new(cookies)).await?;
Ok(self)
}
}
impl Drop for Browser {
fn drop(&mut self) {
if let Some(child) = self.child.as_mut() {
if let Ok(Some(_)) = child.try_wait() {
// Already exited, do nothing. Usually occurs after using the method close or kill.
} else {
// We set the `kill_on_drop` property for the child process, so no need to explicitely
// kill it here. It can't really be done anyway since the method is async.
//
// On Unix, the process will be reaped in the background by the runtime automatically
// so it won't leave any resources locked. It is, however, a better practice for the user to
// do it himself since the runtime doesn't provide garantees as to when the reap occurs, so we
// warn him here.
tracing::warn!(
"Browser was not closed manually, it will be killed automatically in the background"
);
}
}
}
}
/// Resolve devtools WebSocket URL from the provided browser process
///
/// If an error occurs, it returns the browser's stderr output.
///
/// The URL resolution fails if:
/// - [`CdpError::LaunchTimeout`]: `timeout_fut` completes, this corresponds to a timeout
/// - [`CdpError::LaunchExit`]: the browser process exits (or is killed)
/// - [`CdpError::LaunchIo`]: an input/output error occurs when await the process exit or reading
/// the browser's stderr: end of stream, invalid UTF-8, other
async fn ws_url_from_output(
child_process: &mut Child,
timeout_fut: impl Future<Output = ()> + Unpin,
) -> Result<String> {
use futures::{AsyncBufReadExt, FutureExt};
let mut timeout_fut = timeout_fut.fuse();
let stderr = child_process.stderr.take().expect("no stderror");
let mut stderr_bytes = Vec::<u8>::new();
let mut exit_status_fut = Box::pin(child_process.wait()).fuse();
let mut buf = futures::io::BufReader::new(stderr);
loop {
select! {
_ = timeout_fut => return Err(CdpError::LaunchTimeout(BrowserStderr::new(stderr_bytes))),
exit_status = exit_status_fut => {
return Err(match exit_status {
Err(e) => CdpError::LaunchIo(e, BrowserStderr::new(stderr_bytes)),
Ok(exit_status) => CdpError::LaunchExit(exit_status, BrowserStderr::new(stderr_bytes)),
})
},
read_res = buf.read_until(b'\n', &mut stderr_bytes).fuse() => {
match read_res {
Err(e) => return Err(CdpError::LaunchIo(e, BrowserStderr::new(stderr_bytes))),
Ok(byte_count) => {
if byte_count == 0 {
let e = io::Error::new(io::ErrorKind::UnexpectedEof, "unexpected end of stream");
return Err(CdpError::LaunchIo(e, BrowserStderr::new(stderr_bytes)));
}
let start_offset = stderr_bytes.len() - byte_count;
let new_bytes = &stderr_bytes[start_offset..];
match std::str::from_utf8(new_bytes) {
Err(_) => {
let e = io::Error::new(io::ErrorKind::InvalidData, "stream did not contain valid UTF-8");
return Err(CdpError::LaunchIo(e, BrowserStderr::new(stderr_bytes)));
}
Ok(line) => {
if let Some((_, ws)) = line.rsplit_once("listening on ") {
if ws.starts_with("ws") && ws.contains("devtools/browser") {
return Ok(ws.trim().to_string());
}
}
}
}
}
}
}
}
}
}