webbrowser/lib.rs
1//! Rust library to open URLs and local files in the web browsers available on a platform, with guarantees of [Consistent Behaviour](#consistent-behaviour).
2//!
3//! Inspired by the [webbrowser](https://docs.python.org/2/library/webbrowser.html) python library.
4//!
5//! ## Examples
6//!
7//! ```no_run
8//! use webbrowser;
9//!
10//! if webbrowser::open("http://github.com").is_ok() {
11//! // ...
12//! }
13//! ```
14//!
15//! ## Platform Support Status
16//!
17//! | Platform | Supported | Browsers | Test status |
18//! |-----------------------|-----------|----------|-------------|
19//! | macOS | ✅ | default + [others](https://docs.rs/webbrowser/latest/webbrowser/enum.Browser.html) | ✅ |
20//! | windows | ✅ | default only | ✅ |
21//! | linux/wsl | ✅ | default only (respects $BROWSER env var, so can be used with other browsers) | ✅ |
22//! | android | ✅ | default only | ✅ |
23//! | iOS/tvOS/visionOS | ✅ | default only | ✅ |
24//! | wasm | ✅ | default only | ✅ |
25//! | unix (*bsd, aix etc.) | ✅ | default only (respects $BROWSER env var, so can be used with other browsers) | Manual |
26//!
27//! ## Consistent Behaviour
28//! `webbrowser` defines consistent behaviour on all platforms as follows:
29//! * **Browser guarantee** - This library guarantees that the browser is opened, even for local files - the only crate to make such guarantees
30//! at the time of this writing. Alternative libraries rely on existing system commands, which may lead to an editor being opened (instead
31//! of the browser) for local html files, leading to an inconsistent behaviour for users.
32//! * **Non-Blocking** for GUI based browsers (e.g. Firefox, Chrome etc.), while **Blocking** for text based browser (e.g. lynx etc.)
33//! * **Suppressed output** by default for GUI based browsers, so that their stdout/stderr don't pollute the main program's output. This can be
34//! overridden by `webbrowser::open_browser_with_options`.
35//!
36//! ## Crate Features
37//! `webbrowser` optionally allows the following features to be configured:
38//! * `hardened` - this disables handling of non-http(s) urls (e.g. `file:///`) as a hard security precaution
39//! * `disable-wsl` - this disables WSL `file` implementation (`http` still works)
40//! * `wasm-console` - this enables logging to wasm console (valid only on wasm platform)
41
42#[cfg_attr(
43 any(target_os = "ios", target_os = "tvos", target_os = "visionos"),
44 path = "ios.rs"
45)]
46#[cfg_attr(target_os = "macos", path = "macos.rs")]
47#[cfg_attr(target_os = "android", path = "android.rs")]
48#[cfg_attr(target_family = "wasm", path = "wasm.rs")]
49#[cfg_attr(windows, path = "windows.rs")]
50#[cfg_attr(
51 all(
52 unix,
53 not(any(
54 target_os = "ios",
55 target_os = "tvos",
56 target_os = "visionos",
57 target_os = "macos",
58 target_os = "android",
59 target_family = "wasm",
60 windows,
61 )),
62 ),
63 path = "unix.rs"
64)]
65mod os;
66
67#[cfg(any(
68 windows,
69 all(
70 unix,
71 not(any(
72 target_os = "ios",
73 target_os = "tvos",
74 target_os = "visionos",
75 target_os = "macos",
76 target_os = "android",
77 target_family = "wasm",
78 )),
79 ),
80))]
81pub(crate) mod common;
82
83use std::fmt::Display;
84use std::io::{Error, ErrorKind, Result};
85use std::ops::Deref;
86use std::str::FromStr;
87use std::{error, fmt};
88
89#[derive(Debug, Default, Eq, PartialEq, Copy, Clone, Hash)]
90/// Browser types available
91pub enum Browser {
92 ///Operating system's default browser
93 #[default]
94 Default,
95
96 ///Mozilla Firefox
97 Firefox,
98
99 ///Microsoft's Internet Explorer
100 InternetExplorer,
101
102 ///Google Chrome
103 Chrome,
104
105 ///Opera
106 Opera,
107
108 ///Mac OS Safari
109 Safari,
110
111 ///Haiku's WebPositive
112 WebPositive,
113}
114
115impl Browser {
116 /// Returns true if there is likely a browser detected in the system
117 pub fn is_available() -> bool {
118 Browser::Default.exists()
119 }
120
121 /// Returns true if this specific browser is detected in the system
122 pub fn exists(&self) -> bool {
123 open_browser_with_options(
124 *self,
125 "https://rootnet.in",
126 BrowserOptions::new().with_dry_run(true),
127 )
128 .is_ok()
129 }
130}
131
132///The Error type for parsing a string into a Browser.
133#[derive(Debug, Eq, PartialEq, Copy, Clone, Hash)]
134pub struct ParseBrowserError;
135
136impl fmt::Display for ParseBrowserError {
137 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
138 f.write_str("Invalid browser given")
139 }
140}
141
142impl error::Error for ParseBrowserError {
143 fn description(&self) -> &str {
144 "invalid browser"
145 }
146}
147
148impl fmt::Display for Browser {
149 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
150 match *self {
151 Browser::Default => f.write_str("Default"),
152 Browser::Firefox => f.write_str("Firefox"),
153 Browser::InternetExplorer => f.write_str("Internet Explorer"),
154 Browser::Chrome => f.write_str("Chrome"),
155 Browser::Opera => f.write_str("Opera"),
156 Browser::Safari => f.write_str("Safari"),
157 Browser::WebPositive => f.write_str("WebPositive"),
158 }
159 }
160}
161
162impl FromStr for Browser {
163 type Err = ParseBrowserError;
164
165 fn from_str(s: &str) -> ::std::result::Result<Self, Self::Err> {
166 match s {
167 "firefox" => Ok(Browser::Firefox),
168 "default" => Ok(Browser::Default),
169 "ie" | "internet explorer" | "internetexplorer" => Ok(Browser::InternetExplorer),
170 "chrome" => Ok(Browser::Chrome),
171 "opera" => Ok(Browser::Opera),
172 "safari" => Ok(Browser::Safari),
173 "webpositive" => Ok(Browser::WebPositive),
174 _ => Err(ParseBrowserError),
175 }
176 }
177}
178
179#[derive(Debug, Eq, PartialEq, Clone, Hash)]
180/// BrowserOptions to override certain default behaviour. Any option named as a `hint` is
181/// not guaranteed to be honoured. Use [BrowserOptions::new()] to create.
182///
183/// e.g. by default, we suppress stdout/stderr, but that behaviour can be overridden here
184pub struct BrowserOptions {
185 suppress_output: bool,
186 target_hint: String,
187 dry_run: bool,
188}
189
190impl fmt::Display for BrowserOptions {
191 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
192 f.write_fmt(format_args!(
193 "BrowserOptions(supress_output={}, target_hint={}, dry_run={})",
194 self.suppress_output, self.target_hint, self.dry_run
195 ))
196 }
197}
198
199impl std::default::Default for BrowserOptions {
200 fn default() -> Self {
201 let target_hint = String::from(option_env!("WEBBROWSER_WASM_TARGET").unwrap_or("_blank"));
202 BrowserOptions {
203 suppress_output: true,
204 target_hint,
205 dry_run: false,
206 }
207 }
208}
209
210impl BrowserOptions {
211 /// Create a new instance. Configure it with one of the `with_` methods.
212 pub fn new() -> Self {
213 Self::default()
214 }
215
216 /// Determines whether stdout/stderr of the appropriate browser command is suppressed
217 /// or not
218 pub fn with_suppress_output(&mut self, suppress_output: bool) -> &mut Self {
219 self.suppress_output = suppress_output;
220 self
221 }
222
223 /// Hint to the browser to open the url in the corresponding
224 /// [target](https://www.w3schools.com/tags/att_a_target.asp). Note that this is just
225 /// a hint, it may or may not be honoured (currently guaranteed only in wasm).
226
227 // TODO:remove this lint suppression once we're past the MSRV of 1.63 as that's when
228 // clone_into() became stable.
229 #[allow(clippy::all)]
230 pub fn with_target_hint(&mut self, target_hint: &str) -> &mut Self {
231 self.target_hint = target_hint.to_owned();
232 self
233 }
234
235 /// Do not do an actual execution, just return true if this would've likely
236 /// succeeded. Note the "likely" here - it's still indicative than guaranteed.
237 pub fn with_dry_run(&mut self, dry_run: bool) -> &mut Self {
238 self.dry_run = dry_run;
239 self
240 }
241}
242
243/// Opens the URL on the default browser of this platform
244///
245/// Returns Ok(..) so long as the browser invocation was successful. An Err(..) is returned in the
246/// following scenarios:
247/// * The requested browser was not found
248/// * There was an error in opening the browser
249/// * `hardened` feature is enabled, and the URL was not a valid http(s) url, say a `file:///`
250/// * On ios/android/wasm, if the url is not a valid http(s) url
251///
252/// Equivalent to:
253/// ```no_run
254/// # use webbrowser::{Browser, open_browser};
255/// # let url = "http://example.com";
256/// open_browser(Browser::Default, url);
257/// ```
258///
259/// # Examples
260/// ```no_run
261/// use webbrowser;
262///
263/// if webbrowser::open("http://github.com").is_ok() {
264/// // ...
265/// }
266/// ```
267pub fn open(url: &str) -> Result<()> {
268 open_browser(Browser::Default, url)
269}
270
271/// Opens the specified URL on the specific browser (if available) requested. Return semantics are
272/// the same as for [open](fn.open.html).
273///
274/// # Examples
275/// ```no_run
276/// use webbrowser::{open_browser, Browser};
277///
278/// if open_browser(Browser::Firefox, "http://github.com").is_ok() {
279/// // ...
280/// }
281/// ```
282pub fn open_browser(browser: Browser, url: &str) -> Result<()> {
283 open_browser_with_options(browser, url, &BrowserOptions::default())
284}
285
286/// Opens the specified URL on the specific browser (if available) requested, while overriding the
287/// default options.
288///
289/// Return semantics are
290/// the same as for [open](fn.open.html).
291///
292/// # Examples
293/// ```no_run
294/// use webbrowser::{open_browser_with_options, Browser, BrowserOptions};
295///
296/// if open_browser_with_options(Browser::Default, "http://github.com", BrowserOptions::new().with_suppress_output(false)).is_ok() {
297/// // ...
298/// }
299/// ```
300pub fn open_browser_with_options(
301 browser: Browser,
302 url: &str,
303 options: &BrowserOptions,
304) -> Result<()> {
305 let target = TargetType::try_from(url)?;
306
307 // if feature:hardened is enabled, make sure we accept only HTTP(S) URLs
308 #[cfg(feature = "hardened")]
309 if !target.is_http() {
310 return Err(Error::new(
311 ErrorKind::InvalidInput,
312 "only http/https urls allowed",
313 ));
314 }
315
316 if cfg!(any(
317 target_os = "ios",
318 target_os = "tvos",
319 target_os = "visionos",
320 target_os = "macos",
321 target_os = "android",
322 target_family = "wasm",
323 windows,
324 unix,
325 )) {
326 os::open_browser_internal(browser, &target, options)
327 } else {
328 Err(Error::new(ErrorKind::NotFound, "unsupported platform"))
329 }
330}
331
332/// The link we're trying to open, represented as a URL. Local files get represented
333/// via `file://...` URLs
334struct TargetType(url::Url);
335
336impl TargetType {
337 /// Returns true if this target represents an HTTP url, false otherwise
338 #[cfg(any(
339 feature = "hardened",
340 target_os = "android",
341 target_os = "ios",
342 target_os = "tvos",
343 target_os = "visionos",
344 target_family = "wasm"
345 ))]
346 fn is_http(&self) -> bool {
347 matches!(self.0.scheme(), "http" | "https")
348 }
349
350 /// If `target` represents a valid http/https url, return the str corresponding to it
351 /// else return `std::io::Error` of kind `std::io::ErrorKind::InvalidInput`
352 #[cfg(any(
353 target_os = "android",
354 target_os = "ios",
355 target_os = "tvos",
356 target_os = "visionos",
357 target_family = "wasm"
358 ))]
359 fn get_http_url(&self) -> Result<&str> {
360 if self.is_http() {
361 Ok(self.0.as_str())
362 } else {
363 Err(Error::new(ErrorKind::InvalidInput, "not an http url"))
364 }
365 }
366
367 #[cfg(not(target_family = "wasm"))]
368 fn from_file_path(value: &str) -> Result<Self> {
369 let pb = std::path::PathBuf::from(value);
370 let url = url::Url::from_file_path(if pb.is_relative() {
371 std::env::current_dir()?.join(pb)
372 } else {
373 pb
374 })
375 .map_err(|_| Error::new(ErrorKind::InvalidInput, "failed to convert path to url"))?;
376
377 Ok(Self(url))
378 }
379}
380
381impl Deref for TargetType {
382 type Target = str;
383
384 fn deref(&self) -> &Self::Target {
385 self.0.as_str()
386 }
387}
388
389impl Display for TargetType {
390 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
391 (self as &str).fmt(f)
392 }
393}
394
395impl std::convert::TryFrom<&str> for TargetType {
396 type Error = Error;
397
398 #[cfg(target_family = "wasm")]
399 fn try_from(value: &str) -> Result<Self> {
400 url::Url::parse(value)
401 .map(|u| Ok(Self(u)))
402 .map_err(|_| Error::new(ErrorKind::InvalidInput, "invalid url for wasm"))?
403 }
404
405 #[cfg(not(target_family = "wasm"))]
406 fn try_from(value: &str) -> Result<Self> {
407 match url::Url::parse(value) {
408 Ok(u) => {
409 if u.scheme().len() == 1 && cfg!(windows) {
410 // this can happen in windows that C:\abc.html gets parsed as scheme "C"
411 Self::from_file_path(value)
412 } else {
413 Ok(Self(u))
414 }
415 }
416 Err(_) => Self::from_file_path(value),
417 }
418 }
419}
420
421#[test]
422#[ignore]
423fn test_open_firefox() {
424 assert!(open_browser(Browser::Firefox, "http://github.com").is_ok());
425}
426
427#[test]
428#[ignore]
429fn test_open_chrome() {
430 assert!(open_browser(Browser::Chrome, "http://github.com").is_ok());
431}
432
433#[test]
434#[ignore]
435fn test_open_safari() {
436 assert!(open_browser(Browser::Safari, "http://github.com").is_ok());
437}
438
439#[test]
440#[ignore]
441fn test_open_webpositive() {
442 assert!(open_browser(Browser::WebPositive, "http://github.com").is_ok());
443}