chromiumoxide/browser.rs
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 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084
use hashbrown::HashMap;
use std::future::Future;
use std::time::Duration;
use std::{
io,
path::{Path, PathBuf},
};
use futures::channel::mpsc::{channel, unbounded, Sender};
use futures::channel::oneshot::channel as oneshot_channel;
use futures::select;
use futures::SinkExt;
use crate::async_process::{self, Child, ExitStatus, Stdio};
use crate::cmd::{to_command_response, CommandMessage};
use crate::conn::Connection;
use crate::detection::{self, DetectionOptions};
use crate::error::{BrowserStderr, CdpError, Result};
use crate::handler::blockers::intercept_manager::NetworkInterceptManager;
use crate::handler::browser::BrowserContext;
use crate::handler::viewport::Viewport;
use crate::handler::{Handler, HandlerConfig, HandlerMessage, REQUEST_TIMEOUT};
use crate::listeners::{EventListenerRequest, EventStream};
use crate::page::Page;
use crate::utils;
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::*;
/// Default `Browser::launch` timeout in MS
pub const LAUNCH_TIMEOUT: u64 = 20_000;
lazy_static::lazy_static! {
static ref REQUEST_CLIENT: reqwest::Client = reqwest::Client::new();
}
/// 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
pub 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 REQUEST_CLIENT
.get(
if debug_ws_url.ends_with("/json/version")
|| debug_ws_url.ends_with("/json/version/")
{
debug_ws_url.to_owned()
} else {
format!(
"{}{}json/version",
&debug_ws_url,
if debug_ws_url.ends_with('/') { "" } else { "/" }
)
},
)
.header("content-type", "application/json")
.send()
.await
{
Ok(req) => {
let connection: BrowserConnection =
serde_json::from_slice(&req.bytes().await.unwrap_or_default())
.unwrap_or_default();
if !connection.web_socket_debugger_url.is_empty() {
debug_ws_url = connection.web_socket_debugger_url;
}
}
Err(_) => return Err(CdpError::NoResponse),
}
}
let conn = Connection::<CdpEventMessage>::connect(&debug_ws_url).await?;
let (tx, rx) = channel(1000);
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(1000);
let handler_config = HandlerConfig {
ignore_https_errors: config.ignore_https_errors,
viewport: config.viewport.clone(),
context_ids: Vec::new(),
request_timeout: config.request_timeout,
request_intercept: config.request_intercept,
cache_enabled: config.cache_enabled,
ignore_visuals: config.ignore_visuals,
ignore_stylesheets: config.ignore_stylesheets,
ignore_javascript: config.ignore_javascript,
ignore_analytics: config.ignore_analytics,
ignore_ads: config.ignore_ads,
extra_headers: config.extra_headers.clone(),
only_html: config.only_html,
created_first_target: false,
intercept_manager: config.intercept_manager,
};
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. It acts as a compat wrapper for an `async-std` or `tokio` child process.
///
/// 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()
}
/// Has a browser instance launched on system.
pub fn has_child(&self) -> bool {
self.child.is_some()
}
/// 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());
}
}
let _ = 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(
&mut self,
params: CreateBrowserContextParams,
) -> Result<BrowserContextId> {
let response = self.execute(params).await?;
Ok(response.result.browser_context_id)
}
/// Send a new empty browser context.
pub async fn send_new_context(&mut self, browser_context_id: BrowserContextId) -> Result<()> {
self.browser_context = BrowserContext::from(browser_context_id);
self.sender
.clone()
.send(HandlerMessage::InsertContext(self.browser_context.clone()))
.await?;
Ok(())
}
/// 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(())
}
/// 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)?;
}
}
let mut cookies_param = SetCookiesParams::new(cookies);
if let Some(id) = self.browser_context.id() {
if cookies_param.browser_context_id.is_none() {
cookies_param.browser_context_id = Some(id.clone());
}
}
self.execute(cookies_param).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());
}
}
}
}
}
}
}
}
}
}
#[derive(Debug, Clone, Copy, Default, PartialEq, Eq)]
pub enum HeadlessMode {
/// The "headful" mode.
False,
/// The old headless mode.
#[default]
True,
/// The new headless mode. See also: https://developer.chrome.com/docs/chromium/new-headless
New,
}
#[derive(Debug, Clone)]
pub struct BrowserConfig {
/// Determines whether to run headless version of the browser. Defaults to
/// true.
headless: HeadlessMode,
/// Determines whether to run the browser with a sandbox.
sandbox: bool,
/// Launch the browser with a specific window width and height.
window_size: Option<(u32, u32)>,
/// Launch the browser with a specific debugging port.
port: u16,
/// Path for Chrome or Chromium.
///
/// If unspecified, the create will try to automatically detect a suitable
/// binary.
executable: std::path::PathBuf,
/// A list of Chrome extensions to load.
///
/// An extension should be a path to a folder containing the extension code.
/// CRX files cannot be used directly and must be first extracted.
///
/// Note that Chrome does not support loading extensions in headless-mode.
/// See https://bugs.chromium.org/p/chromium/issues/detail?id=706008#c5
extensions: Vec<String>,
/// Environment variables to set for the Chromium process.
/// Passes value through to std::process::Command::envs.
pub process_envs: Option<HashMap<String, String>>,
/// Data dir for user data
pub user_data_dir: Option<PathBuf>,
/// Whether to launch the `Browser` in incognito mode
incognito: bool,
/// Timeout duration for `Browser::launch`.
launch_timeout: Duration,
/// Ignore https errors, default is true
ignore_https_errors: bool,
viewport: Option<Viewport>,
/// The duration after a request with no response should time out
request_timeout: Duration,
/// Additional command line arguments to pass to the browser instance.
args: Vec<String>,
/// Whether to disable DEFAULT_ARGS or not, default is false
disable_default_args: bool,
/// Whether to enable request interception
pub request_intercept: bool,
/// Whether to enable cache.
pub cache_enabled: bool,
/// Whether to ignore visuals when request interception is enabled.
pub ignore_visuals: bool,
/// Whether to ignore stylesheets when request interception is enabled.
pub ignore_stylesheets: bool,
/// Whether to ignore javascript when request interception is enabled. This will allow framework JS like react to go through.
pub ignore_javascript: bool,
/// Whether to ignore analytics when request interception is enabled.
pub ignore_analytics: bool,
/// Whether to ignore ads when request interception is enabled.
pub ignore_ads: bool,
/// Extra headers.
pub extra_headers: Option<std::collections::HashMap<String, String>>,
/// Only html
pub only_html: bool,
/// The interception intercept manager.
pub intercept_manager: NetworkInterceptManager,
}
#[derive(Debug, Clone)]
pub struct BrowserConfigBuilder {
headless: HeadlessMode,
sandbox: bool,
window_size: Option<(u32, u32)>,
port: u16,
executable: Option<PathBuf>,
executation_detection: DetectionOptions,
extensions: Vec<String>,
process_envs: Option<HashMap<String, String>>,
user_data_dir: Option<PathBuf>,
incognito: bool,
launch_timeout: Duration,
ignore_https_errors: bool,
viewport: Option<Viewport>,
request_timeout: Duration,
args: Vec<String>,
disable_default_args: bool,
request_intercept: bool,
cache_enabled: bool,
ignore_visuals: bool,
ignore_ads: bool,
ignore_javascript: bool,
ignore_stylesheets: bool,
ignore_analytics: bool,
only_html: bool,
extra_headers: Option<std::collections::HashMap<String, String>>,
intercept_manager: NetworkInterceptManager,
}
impl BrowserConfig {
pub fn builder() -> BrowserConfigBuilder {
BrowserConfigBuilder::default()
}
pub fn with_executable(path: impl AsRef<Path>) -> Self {
Self::builder().chrome_executable(path).build().unwrap()
}
}
impl Default for BrowserConfigBuilder {
fn default() -> Self {
Self {
headless: HeadlessMode::True,
sandbox: true,
window_size: None,
port: 0,
executable: None,
executation_detection: DetectionOptions::default(),
extensions: Vec::new(),
process_envs: None,
user_data_dir: None,
incognito: false,
launch_timeout: Duration::from_millis(LAUNCH_TIMEOUT),
ignore_https_errors: true,
viewport: Some(Default::default()),
request_timeout: Duration::from_millis(REQUEST_TIMEOUT),
args: Vec::new(),
disable_default_args: false,
request_intercept: false,
cache_enabled: true,
ignore_visuals: false,
ignore_ads: false,
ignore_javascript: false,
ignore_analytics: false,
ignore_stylesheets: false,
only_html: false,
extra_headers: Default::default(),
intercept_manager: NetworkInterceptManager::UNKNOWN,
}
}
}
impl BrowserConfigBuilder {
pub fn window_size(mut self, width: u32, height: u32) -> Self {
self.window_size = Some((width, height));
self
}
pub fn no_sandbox(mut self) -> Self {
self.sandbox = false;
self
}
pub fn with_head(mut self) -> Self {
self.headless = HeadlessMode::False;
self
}
pub fn new_headless_mode(mut self) -> Self {
self.headless = HeadlessMode::New;
self
}
pub fn headless_mode(mut self, mode: HeadlessMode) -> Self {
self.headless = mode;
self
}
pub fn incognito(mut self) -> Self {
self.incognito = true;
self
}
pub fn respect_https_errors(mut self) -> Self {
self.ignore_https_errors = false;
self
}
pub fn port(mut self, port: u16) -> Self {
self.port = port;
self
}
pub fn launch_timeout(mut self, timeout: Duration) -> Self {
self.launch_timeout = timeout;
self
}
pub fn request_timeout(mut self, timeout: Duration) -> Self {
self.request_timeout = timeout;
self
}
/// Configures the viewport of the browser, which defaults to `800x600`.
/// `None` disables viewport emulation (i.e., it uses the browsers default
/// configuration, which fills the available space. This is similar to what
/// Playwright does when you provide `null` as the value of its `viewport`
/// option).
pub fn viewport(mut self, viewport: impl Into<Option<Viewport>>) -> Self {
self.viewport = viewport.into();
self
}
pub fn user_data_dir(mut self, data_dir: impl AsRef<Path>) -> Self {
self.user_data_dir = Some(data_dir.as_ref().to_path_buf());
self
}
pub fn chrome_executable(mut self, path: impl AsRef<Path>) -> Self {
self.executable = Some(path.as_ref().to_path_buf());
self
}
pub fn chrome_detection(mut self, options: DetectionOptions) -> Self {
self.executation_detection = options;
self
}
pub fn extension(mut self, extension: impl Into<String>) -> Self {
self.extensions.push(extension.into());
self
}
pub fn extensions<I, S>(mut self, extensions: I) -> Self
where
I: IntoIterator<Item = S>,
S: Into<String>,
{
for ext in extensions {
self.extensions.push(ext.into());
}
self
}
pub fn env(mut self, key: impl Into<String>, val: impl Into<String>) -> Self {
self.process_envs
.get_or_insert(HashMap::new())
.insert(key.into(), val.into());
self
}
pub fn envs<I, K, V>(mut self, envs: I) -> Self
where
I: IntoIterator<Item = (K, V)>,
K: Into<String>,
V: Into<String>,
{
self.process_envs
.get_or_insert(HashMap::new())
.extend(envs.into_iter().map(|(k, v)| (k.into(), v.into())));
self
}
pub fn arg(mut self, arg: impl Into<String>) -> Self {
self.args.push(arg.into());
self
}
pub fn args<I, S>(mut self, args: I) -> Self
where
I: IntoIterator<Item = S>,
S: Into<String>,
{
for arg in args {
self.args.push(arg.into());
}
self
}
pub fn disable_default_args(mut self) -> Self {
self.disable_default_args = true;
self
}
pub fn enable_request_intercept(mut self) -> Self {
self.request_intercept = true;
self
}
pub fn disable_request_intercept(mut self) -> Self {
self.request_intercept = false;
self
}
pub fn enable_cache(mut self) -> Self {
self.cache_enabled = true;
self
}
pub fn disable_cache(mut self) -> Self {
self.cache_enabled = false;
self
}
pub fn set_extra_headers(
mut self,
headers: Option<std::collections::HashMap<String, String>>,
) -> Self {
self.extra_headers = headers;
self
}
pub fn build(self) -> std::result::Result<BrowserConfig, String> {
let executable = if let Some(e) = self.executable {
e
} else {
detection::default_executable(self.executation_detection)?
};
Ok(BrowserConfig {
headless: self.headless,
sandbox: self.sandbox,
window_size: self.window_size,
port: self.port,
executable,
extensions: self.extensions,
process_envs: self.process_envs,
user_data_dir: self.user_data_dir,
incognito: self.incognito,
launch_timeout: self.launch_timeout,
ignore_https_errors: self.ignore_https_errors,
viewport: self.viewport,
request_timeout: self.request_timeout,
args: self.args,
disable_default_args: self.disable_default_args,
request_intercept: self.request_intercept,
cache_enabled: self.cache_enabled,
ignore_visuals: self.ignore_visuals,
ignore_ads: self.ignore_ads,
ignore_javascript: self.ignore_javascript,
ignore_analytics: self.ignore_analytics,
ignore_stylesheets: self.ignore_stylesheets,
extra_headers: self.extra_headers,
only_html: self.only_html,
intercept_manager: self.intercept_manager,
})
}
}
impl BrowserConfig {
pub fn launch(&self) -> io::Result<Child> {
let mut cmd = async_process::Command::new(&self.executable);
if self.disable_default_args {
cmd.args(&self.args);
} else {
cmd.args(DEFAULT_ARGS).args(&self.args);
}
if !self
.args
.iter()
.any(|arg| arg.contains("--remote-debugging-port="))
{
cmd.arg(format!("--remote-debugging-port={}", self.port));
}
cmd.args(
self.extensions
.iter()
.map(|e| format!("--load-extension={e}")),
);
if let Some(ref user_data) = self.user_data_dir {
cmd.arg(format!("--user-data-dir={}", user_data.display()));
} else {
// If the user did not specify a data directory, this would default to the systems default
// data directory. In most cases, we would rather have a fresh instance of Chromium. Specify
// a temp dir just for chromiumoxide instead.
cmd.arg(format!(
"--user-data-dir={}",
std::env::temp_dir().join("chromiumoxide-runner").display()
));
}
if let Some((width, height)) = self.window_size {
cmd.arg(format!("--window-size={width},{height}"));
}
if !self.sandbox {
cmd.args(["--no-sandbox", "--disable-setuid-sandbox"]);
}
match self.headless {
HeadlessMode::False => (),
HeadlessMode::True => {
cmd.args(["--headless", "--hide-scrollbars", "--mute-audio"]);
}
HeadlessMode::New => {
cmd.args(["--headless=new", "--hide-scrollbars", "--mute-audio"]);
}
}
if self.incognito {
cmd.arg("--incognito");
}
if let Some(ref envs) = self.process_envs {
cmd.envs(envs);
}
cmd.stderr(Stdio::piped()).spawn()
}
}
/// Returns the path to Chrome's executable.
///
/// If the `CHROME` environment variable is set, `default_executable` will
/// use it as the default path. Otherwise, the filenames `google-chrome-stable`
/// `chromium`, `chromium-browser`, `chrome` and `chrome-browser` are
/// searched for in standard places. If that fails,
/// `/Applications/Google Chrome.app/...` (on MacOS) or the registry (on
/// Windows) is consulted. If all of the above fail, an error is returned.
#[deprecated(note = "Use detection::default_executable instead")]
pub fn default_executable() -> Result<std::path::PathBuf, String> {
let options = DetectionOptions {
msedge: false,
unstable: false,
};
detection::default_executable(options)
}
/// These are passed to the Chrome binary by default.
/// Via https://github.com/puppeteer/puppeteer/blob/4846b8723cf20d3551c0d755df394cc5e0c82a94/src/node/Launcher.ts#L157
static DEFAULT_ARGS: [&str; 25] = [
"--disable-background-networking",
"--enable-features=NetworkService,NetworkServiceInProcess",
"--disable-background-timer-throttling",
"--disable-backgrounding-occluded-windows",
"--disable-breakpad",
"--disable-client-side-phishing-detection",
"--disable-component-extensions-with-background-pages",
"--disable-default-apps",
"--disable-dev-shm-usage",
"--disable-extensions",
"--disable-features=TranslateUI",
"--disable-hang-monitor",
"--disable-ipc-flooding-protection",
"--disable-popup-blocking",
"--disable-prompt-on-repost",
"--disable-renderer-backgrounding",
"--disable-sync",
"--force-color-profile=srgb",
"--metrics-recording-only",
"--no-first-run",
"--enable-automation",
"--password-store=basic",
"--use-mock-keychain",
"--enable-blink-features=IdleDetection",
"--lang=en_US",
];