1use crate::common::run_command;
2use crate::{Browser, BrowserOptions, Error, ErrorKind, Result, TargetType};
3use log::trace;
4use std::io::{BufRead, BufReader};
5use std::os::unix::fs::PermissionsExt;
6use std::path::{Path, PathBuf, MAIN_SEPARATOR};
7use std::process::{Command, Stdio};
8
9macro_rules! try_browser {
10 ( $options: expr, $name:expr, $( $arg:expr ),+ ) => {
11 for_matching_path($name, |pb| {
12 let mut cmd = Command::new(pb);
13 $(
14 cmd.arg($arg);
15 )+
16 run_command(&mut cmd, !is_text_browser(&pb), $options)
17 })
18 }
19}
20
21pub(super) fn open_browser_internal(
29 browser: Browser,
30 target: &TargetType,
31 options: &BrowserOptions,
32) -> Result<()> {
33 match browser {
34 Browser::Default => open_browser_default(target, options),
35 _ => Err(Error::new(
36 ErrorKind::NotFound,
37 "only default browser supported",
38 )),
39 }
40}
41
42fn open_browser_default(target: &TargetType, options: &BrowserOptions) -> Result<()> {
47 let url: &str = target;
48
49 try_with_browser_env(url, options)
51 .or_else(|_| try_haiku(options, url))
53 .or_else(|_| try_xdg(options, url))
55 .or_else(|r| match guess_desktop_env() {
57 "kde" => try_browser!(options, "kde-open", url)
58 .or_else(|_| try_browser!(options, "kde-open5", url))
59 .or_else(|_| try_browser!(options, "kfmclient", "newTab", url)),
60
61 "gnome" => try_browser!(options, "gio", "open", url)
62 .or_else(|_| try_browser!(options, "gvfs-open", url))
63 .or_else(|_| try_browser!(options, "gnome-open", url)),
64
65 "mate" => try_browser!(options, "gio", "open", url)
66 .or_else(|_| try_browser!(options, "gvfs-open", url))
67 .or_else(|_| try_browser!(options, "mate-open", url)),
68
69 "xfce" => try_browser!(options, "exo-open", url)
70 .or_else(|_| try_browser!(options, "gio", "open", url))
71 .or_else(|_| try_browser!(options, "gvfs-open", url)),
72
73 "wsl" => try_wsl(options, target),
74
75 "flatpak" => try_flatpak(options, target),
76
77 _ => Err(r),
78 })
79 .or_else(|_| try_browser!(options, "x-www-browser", url))
81 .map_err(|_| {
83 Error::new(
84 ErrorKind::NotFound,
85 "No valid browsers detected. You can specify one in BROWSER environment variable",
86 )
87 })
88 .map(|_| ())
90}
91
92fn try_with_browser_env(url: &str, options: &BrowserOptions) -> Result<()> {
93 for browser in std::env::var("BROWSER")
95 .unwrap_or_else(|_| String::from(""))
96 .split(':')
97 {
98 if !browser.is_empty() {
99 let cmdline = browser
102 .replace("%s", url)
103 .replace("%c", ":")
104 .replace("%%", "%");
105 let cmdarr: Vec<&str> = cmdline.split_ascii_whitespace().collect();
106 let browser_cmd = cmdarr[0];
107 let env_exit = for_matching_path(browser_cmd, |pb| {
108 let mut cmd = Command::new(pb);
109 for arg in cmdarr.iter().skip(1) {
110 cmd.arg(arg);
111 }
112 if !browser.contains("%s") {
113 cmd.arg(url);
115 }
116 run_command(&mut cmd, !is_text_browser(pb), options)
117 });
118 if env_exit.is_ok() {
119 return Ok(());
120 }
121 }
122 }
123 Err(Error::new(
124 ErrorKind::NotFound,
125 "No valid browser configured in BROWSER environment variable",
126 ))
127}
128
129fn is_wsl() -> bool {
132 if cfg!(target_os = "linux") {
135 if let Ok(s) = std::fs::read_to_string("/proc/sys/fs/binfmt_misc/WSLInterop") {
139 s.contains("enabled")
140 } else {
141 false
142 }
143 } else {
144 false
146 }
147}
148
149#[inline]
151fn is_flatpak() -> bool {
152 std::env::var("container")
153 .map(|x| x.eq_ignore_ascii_case("flatpak"))
154 .unwrap_or(false)
155}
156
157fn guess_desktop_env() -> &'static str {
159 let unknown = "unknown";
160 let xcd: String = std::env::var("XDG_CURRENT_DESKTOP")
161 .unwrap_or_else(|_| unknown.into())
162 .to_ascii_lowercase();
163 let dsession: String = std::env::var("DESKTOP_SESSION")
164 .unwrap_or_else(|_| unknown.into())
165 .to_ascii_lowercase();
166
167 if is_flatpak() {
168 "flatpak"
169 } else if xcd.contains("gnome") || xcd.contains("cinnamon") || dsession.contains("gnome") {
170 "gnome"
172 } else if xcd.contains("kde")
173 || std::env::var("KDE_FULL_SESSION").is_ok()
174 || std::env::var("KDE_SESSION_VERSION").is_ok()
175 {
176 "kde"
178 } else if xcd.contains("mate") || dsession.contains("mate") {
179 "mate"
181 } else if xcd.contains("xfce") || dsession.contains("xfce") {
182 "xfce"
184 } else if is_wsl() {
185 "wsl"
187 } else {
188 unknown
190 }
191}
192
193fn try_wsl(options: &BrowserOptions, target: &TargetType) -> Result<()> {
195 match target.0.scheme() {
196 "http" | "https" => {
197 let url: &str = target;
198 try_browser!(
199 options,
200 "cmd.exe",
201 "/c",
202 "start",
203 url.replace('^', "^^").replace('&', "^&")
204 )
205 .or_else(|_| {
206 try_browser!(
207 options,
208 "powershell.exe",
209 "Start",
210 url.replace('&', "\"&\"")
211 )
212 })
213 .or_else(|_| try_browser!(options, "wsl-open", url))
214 }
215 #[cfg(all(
216 target_os = "linux",
217 not(feature = "hardened"),
218 not(feature = "disable-wsl")
219 ))]
220 "file" => {
221 let wc = wsl::get_wsl_win_config()?;
224 let mut cmd = if wc.powershell_path.is_some() {
225 wsl::get_wsl_windows_browser_ps(&wc, target)
226 } else {
227 wsl::get_wsl_windows_browser_cmd(&wc, target)
228 }?;
229 run_command(&mut cmd, true, options)
230 }
231 _ => Err(Error::new(ErrorKind::NotFound, "invalid browser")),
232 }
233}
234
235fn try_flatpak(options: &BrowserOptions, target: &TargetType) -> Result<()> {
237 match target.0.scheme() {
238 "http" | "https" => {
239 let url: &str = target;
240 try_browser!(options, "xdg-open", url)
243 }
244 _ => Err(Error::new(ErrorKind::NotFound, "only http urls supported")),
248 }
249}
250
251fn try_haiku(options: &BrowserOptions, url: &str) -> Result<()> {
254 if cfg!(target_os = "haiku") {
255 try_browser!(options, "open", url).map(|_| ())
256 } else {
257 Err(Error::new(ErrorKind::NotFound, "Not on haiku"))
258 }
259}
260
261fn try_xdg(options: &BrowserOptions, url: &str) -> Result<()> {
264 let browser_name_os = for_matching_path("xdg-settings", |pb| {
266 Command::new(pb)
267 .args(["get", "default-web-browser"])
268 .stdin(Stdio::null())
269 .stderr(Stdio::null())
270 .output()
271 })
272 .map_err(|_| Error::new(ErrorKind::NotFound, "unable to determine xdg browser"))?
273 .stdout;
274
275 let browser_name = String::from_utf8(browser_name_os)
277 .map_err(|_| Error::new(ErrorKind::NotFound, "invalid default browser name"))?
278 .trim()
279 .to_owned();
280 if browser_name.is_empty() {
281 return Err(Error::new(ErrorKind::NotFound, "no default xdg browser"));
282 }
283 trace!("found xdg browser: {:?}", &browser_name);
284
285 let mut config_found = false;
287 let app_suffix = "applications";
288 for xdg_dir in get_xdg_dirs().iter_mut() {
289 let mut config_path = xdg_dir.join(app_suffix).join(&browser_name);
290 trace!("checking for xdg config at {:?}", config_path);
291 let mut metadata = config_path.metadata();
292 if metadata.is_err() && browser_name.contains('-') {
293 let child_path = browser_name.replace('-', "/");
295 config_path = xdg_dir.join(app_suffix).join(child_path);
296 metadata = config_path.metadata();
297 }
298 if metadata.is_ok() {
299 config_found = true;
301 match open_using_xdg_config(&config_path, options, url) {
302 Ok(x) => return Ok(x), Err(err) => {
304 if err.kind() != ErrorKind::NotFound {
308 return Err(err);
309 }
310 }
311 }
312 }
313 }
314
315 if config_found {
316 Err(Error::new(ErrorKind::Other, "xdg-open failed"))
317 } else {
318 Err(Error::new(ErrorKind::NotFound, "no valid xdg config found"))
319 }
320}
321
322fn open_using_xdg_config(config_path: &PathBuf, options: &BrowserOptions, url: &str) -> Result<()> {
326 let file = std::fs::File::open(config_path)?;
327 let mut in_desktop_entry = false;
328 let mut hidden = false;
329 let mut cmdline: Option<String> = None;
330 let mut requires_terminal = false;
331
332 for line in BufReader::new(file).lines().map_while(Result::ok) {
335 if line == "[Desktop Entry]" {
336 in_desktop_entry = true;
337 } else if line.starts_with('[') {
338 in_desktop_entry = false;
339 } else if in_desktop_entry && !line.starts_with('#') {
340 if let Some(idx) = line.find('=') {
341 let key = &line[..idx];
342 let value = &line[idx + 1..];
343 match key {
344 "Exec" => cmdline = Some(value.to_owned()),
345 "Hidden" => hidden = value == "true",
346 "Terminal" => requires_terminal = value == "true",
347 _ => (), }
349 }
350 }
351 }
352
353 if hidden {
354 return Err(Error::new(ErrorKind::NotFound, "xdg config is hidden"));
356 }
357
358 if let Some(cmdline) = cmdline {
359 let cmdarr: Vec<&str> = cmdline.split_ascii_whitespace().collect();
361 let browser_cmd = cmdarr[0];
362 for_matching_path(browser_cmd, |pb| {
363 let mut cmd = Command::new(pb);
364 let mut url_added = false;
365 for arg in cmdarr.iter().skip(1) {
366 match *arg {
367 "%u" | "%U" | "%f" | "%F" => {
368 url_added = true;
369 cmd.arg(url)
370 }
371 _ => cmd.arg(arg),
372 };
373 }
374 if !url_added {
375 cmd.arg(url);
377 }
378 run_command(&mut cmd, !requires_terminal, options)
379 })
380 } else {
381 Err(Error::new(ErrorKind::NotFound, "not a valid xdg config"))
383 }
384}
385
386fn get_xdg_dirs() -> Vec<PathBuf> {
388 let mut xdg_dirs: Vec<PathBuf> = Vec::new();
389
390 let data_home = std::env::var("XDG_DATA_HOME")
391 .ok()
392 .map(PathBuf::from)
393 .filter(|path| path.is_absolute())
394 .or_else(|| home::home_dir().map(|path| path.join(".local/share")));
395 if let Some(data_home) = data_home {
396 xdg_dirs.push(data_home);
397 }
398
399 if let Ok(data_dirs) = std::env::var("XDG_DATA_DIRS") {
400 for d in data_dirs.split(':') {
401 xdg_dirs.push(PathBuf::from(d));
402 }
403 } else {
404 xdg_dirs.push(PathBuf::from("/usr/local/share"));
405 xdg_dirs.push(PathBuf::from("/usr/share"));
406 }
407
408 xdg_dirs
409}
410
411fn is_text_browser(pb: &Path) -> bool {
413 for browser in TEXT_BROWSERS.iter() {
414 if pb.ends_with(browser) {
415 return true;
416 }
417 }
418 false
419}
420
421fn for_matching_path<F, T>(name: &str, op: F) -> Result<T>
422where
423 F: FnOnce(&PathBuf) -> Result<T>,
424{
425 let err = Err(Error::new(ErrorKind::NotFound, "command not found"));
426
427 if name.contains(MAIN_SEPARATOR) {
430 let pb = std::path::PathBuf::from(name);
431 if let Ok(metadata) = pb.metadata() {
432 if metadata.is_file() && metadata.permissions().mode() & 0o111 != 0 {
433 return op(&pb);
434 }
435 } else {
436 return err;
437 }
438 } else {
439 if let Ok(path) = std::env::var("PATH") {
441 for entry in path.split(':') {
442 let mut pb = std::path::PathBuf::from(entry);
443 pb.push(name);
444 if let Ok(metadata) = pb.metadata() {
445 if metadata.is_file() && metadata.permissions().mode() & 0o111 != 0 {
446 return op(&pb);
447 }
448 }
449 }
450 }
451 }
452 err
454}
455
456static TEXT_BROWSERS: [&str; 9] = [
457 "lynx", "links", "links2", "elinks", "w3m", "eww", "netrik", "retawq", "curl",
458];
459
460#[cfg(test)]
461mod tests_xdg {
462 use super::*;
463 use std::fs::File;
464 use std::io::Write;
465
466 fn get_temp_path(name: &str, suffix: &str) -> String {
467 let pid = std::process::id();
468 std::env::temp_dir()
469 .join(format!("{name}.{pid}.{suffix}"))
470 .into_os_string()
471 .into_string()
472 .expect("failed to convert into string")
473 }
474
475 #[test]
476 fn test_xdg_open_local_file() {
477 let _ = env_logger::try_init();
478
479 let flag_path = get_temp_path("test_xdg", "flag");
481 let _ = std::fs::remove_file(&flag_path);
482
483 let txt_path = get_temp_path("test_xdf", "txt");
485 let browser_path = get_temp_path("test_xdg", "browser");
486 {
487 let mut browser_file =
488 File::create(&browser_path).expect("failed to create browser file");
489 let _ = browser_file.write_fmt(format_args!(
490 r#"#!/bin/bash
491 if [ "$1" != "p1" ]; then
492 echo "1st parameter should've been p1" >&2
493 exit 1
494 elif [ "$2" != "{}" ]; then
495 echo "2nd parameter should've been {}" >&2
496 exit 1
497 elif [ "$3" != "p3" ]; then
498 echo "3rd parameter should've been p3" >&2
499 exit 1
500 fi
501
502 echo "$2" > "{}"
503 "#,
504 &txt_path, &txt_path, &flag_path
505 ));
506 let mut perms = browser_file
507 .metadata()
508 .expect("failed to get permissions")
509 .permissions();
510 perms.set_mode(0o755);
511 let _ = browser_file.set_permissions(perms);
512 }
513
514 let config_path = get_temp_path("test_xdg", "desktop");
516 {
517 let mut xdg_file =
518 std::fs::File::create(&config_path).expect("failed to create xdg desktop file");
519 let _ = xdg_file.write_fmt(format_args!(
520 r#"# this line should be ignored
521[Desktop Entry]
522Exec={} p1 %u p3
523[Another Entry]
524Exec=/bin/ls
525# the above Exec line should be getting ignored
526 "#,
527 &browser_path
528 ));
529 }
530
531 let result = open_using_xdg_config(
533 &PathBuf::from(&config_path),
534 &BrowserOptions::default(),
535 &txt_path,
536 );
537
538 for _ in 0..10 {
541 if std::fs::read_to_string(&flag_path).is_ok() {
542 break;
543 }
544 std::thread::sleep(std::time::Duration::from_millis(500));
545 }
546 std::thread::sleep(std::time::Duration::from_millis(500));
547
548 assert_eq!(
550 std::fs::read_to_string(&flag_path)
551 .expect("flag file not found")
552 .trim(),
553 &txt_path,
554 );
555 assert!(result.is_ok());
556
557 let _ = std::fs::remove_file(&txt_path);
559 let _ = std::fs::remove_file(&flag_path);
560 let _ = std::fs::remove_file(&browser_path);
561 let _ = std::fs::remove_file(&config_path);
562
563 assert!(result.is_ok());
564 }
565}
566
567#[cfg(all(
572 target_os = "linux",
573 not(feature = "hardened"),
574 not(feature = "disable-wsl")
575))]
576mod wsl {
577 use crate::common::for_each_token;
578 use crate::{Result, TargetType};
579 use std::io::{Error, ErrorKind};
580 use std::path::{Path, PathBuf};
581 use std::process::{Command, Stdio};
582
583 pub(super) struct WindowsConfig {
584 root: PathBuf,
585 cmd_path: PathBuf,
586 pub(super) powershell_path: Option<PathBuf>,
587 }
588
589 pub(super) fn get_wsl_win_config() -> Result<WindowsConfig> {
592 let err_fn = || Error::new(ErrorKind::NotFound, "invalid windows config");
593 if let Some(path_env) = std::env::var_os("PATH") {
594 let mut root: Option<PathBuf> = None;
595 let mut cmd_path: Option<PathBuf> = None;
596 let mut powershell_path: Option<PathBuf> = None;
597 for path in std::env::split_paths(&path_env) {
598 let path_s = path.to_string_lossy().to_ascii_lowercase();
599 let path_s = path_s.trim_end_matches('/');
600 if path_s.ends_with("/windows/system32") {
601 root = Some(std::fs::canonicalize(path.join("../.."))?);
602 cmd_path = Some(path.join("cmd.exe"));
603 break;
604 }
605 }
606 if let Some(ref root) = root {
607 for path in std::env::split_paths(&path_env) {
608 if path.starts_with(root) {
609 let pb = path.join("powershell.exe");
610 if pb.is_file() {
611 powershell_path = Some(pb);
612 }
613 }
614 }
615 }
616 if let Some(root) = root {
617 let cmd_path = cmd_path.unwrap_or_else(|| (root).join("windows/system32/cmd.exe"));
618 Ok(WindowsConfig {
619 root,
620 cmd_path,
621 powershell_path,
622 })
623 } else {
624 Err(err_fn())
625 }
626 } else {
627 Err(err_fn())
628 }
629 }
630
631 pub(super) fn get_wsl_windows_browser_ps(
633 wc: &WindowsConfig,
634 url: &TargetType,
635 ) -> Result<Command> {
636 let err_fn = || Error::new(ErrorKind::NotFound, "powershell.exe error");
637 let ps_exe = wc.powershell_path.as_ref().ok_or_else(err_fn)?;
638 let mut cmd = Command::new(ps_exe);
639 cmd.arg("-NoLogo")
640 .arg("-NoProfile")
641 .arg("-NonInteractive")
642 .arg("-Command")
643 .arg("-")
644 .stdin(Stdio::piped())
645 .stdout(Stdio::piped())
646 .stderr(Stdio::null());
647 log::debug!("running command: ${:?}", &cmd);
648 let mut child = cmd.spawn()?;
649
650 let mut stdin = child.stdin.take().ok_or_else(err_fn)?;
651 std::io::Write::write_all(&mut stdin, WSL_PS_SCRIPT.as_bytes())?;
652 drop(stdin); let output_u8 = child.wait_with_output()?;
654 let output = String::from_utf8_lossy(&output_u8.stdout);
655 let output = output.trim();
656 if output.is_empty() {
657 Err(err_fn())
658 } else {
659 parse_wsl_cmdline(wc, output, url)
660 }
661 }
662
663 pub(super) fn get_wsl_windows_browser_cmd(
665 wc: &WindowsConfig,
666 url: &TargetType,
667 ) -> Result<Command> {
668 let err_fn = || Error::new(ErrorKind::NotFound, "cmd.exe error");
669 let mut cmd = Command::new(&wc.cmd_path);
670 cmd.arg("/Q")
671 .arg("/C")
672 .arg("ftype http")
673 .stdin(Stdio::null())
674 .stdout(Stdio::piped())
675 .stderr(Stdio::null());
676 log::debug!("running command: ${:?}", &cmd);
677 let output_u8 = cmd.output()?;
678
679 let output = String::from_utf8_lossy(&output_u8.stdout);
680 let output = output.trim();
681 if output.is_empty() {
682 Err(err_fn())
683 } else {
684 parse_wsl_cmdline(wc, output, url)
685 }
686 }
687
688 fn parse_wsl_cmdline(wc: &WindowsConfig, cmdline: &str, url: &TargetType) -> Result<Command> {
691 let mut tokens: Vec<String> = Vec::new();
692 let filepath = wsl_get_filepath_from_url(wc, url)?;
693 let fp = &filepath;
694 for_each_token(cmdline, |token: &str| {
695 if matches!(token, "%0" | "%1") {
696 tokens.push(fp.to_owned());
697 } else {
698 tokens.push(token.to_string());
699 }
700 });
701 if tokens.is_empty() {
702 Err(Error::new(ErrorKind::NotFound, "invalid command"))
703 } else {
704 let progpath = wsl_path_win2lin(wc, &tokens[0])?;
705 let mut cmd = Command::new(progpath);
706 if tokens.len() > 1 {
707 cmd.args(&tokens[1..]);
708 }
709 Ok(cmd)
710 }
711 }
712
713 fn wsl_get_filepath_from_url(wc: &WindowsConfig, target: &TargetType) -> Result<String> {
714 let url = &target.0;
715 if url.scheme() == "file" {
716 if url.host().is_none() {
717 let path = url
718 .to_file_path()
719 .map_err(|_| Error::new(ErrorKind::NotFound, "invalid path"))?;
720 wsl_path_lin2win(wc, path)
721 } else {
722 Ok(format!("\\\\wsl${}", url.path().replace('/', "\\")))
723 }
724 } else {
725 Ok(url.as_str().to_string())
726 }
727 }
728
729 fn wsl_path_win2lin(wc: &WindowsConfig, path: &str) -> Result<PathBuf> {
731 let err_fn = || Error::new(ErrorKind::NotFound, "invalid windows path");
732 if path.len() > 3 {
733 let pfx = &path[..3];
734 if matches!(pfx, "C:\\" | "c:\\") {
735 let win_path = path[3..].replace('\\', "/");
736 Ok(wc.root.join(win_path))
737 } else {
738 Err(err_fn())
739 }
740 } else {
741 Err(err_fn())
742 }
743 }
744
745 fn wsl_path_lin2win(wc: &WindowsConfig, path: impl AsRef<Path>) -> Result<String> {
748 let path = path.as_ref();
749 if let Ok(path) = path.strip_prefix(&wc.root) {
750 Ok(format!("C:\\{}", path.as_os_str().to_string_lossy()).replace('/', "\\"))
752 } else {
753 let wsl_hostname = get_wsl_distro_name(wc)?;
755 Ok(format!(
756 "\\\\wsl$\\{}{}",
757 &wsl_hostname,
758 path.as_os_str().to_string_lossy()
759 )
760 .replace('/', "\\"))
761 }
762 }
763
764 fn get_wsl_distro_name(wc: &WindowsConfig) -> Result<String> {
766 let err_fn = || Error::new(ErrorKind::Other, "unable to determine wsl distro name");
767
768 if let Ok(wsl_hostname) = std::env::var("WSL_DISTRO_NAME") {
770 Ok(wsl_hostname)
771 } else {
772 let psexe = wc.powershell_path.as_ref().ok_or_else(err_fn)?;
775 let mut cmd = Command::new(psexe);
776 cmd.arg("-NoLogo")
777 .arg("-NoProfile")
778 .arg("-NonInteractive")
779 .arg("-Command")
780 .arg("$loc = Get-Location\nWrite-Output $loc.Path")
781 .current_dir("/")
782 .stdin(Stdio::null())
783 .stderr(Stdio::null());
784 log::debug!("running command: ${:?}", &cmd);
785 let output_u8 = cmd.output()?.stdout;
786 let output = String::from_utf8_lossy(&output_u8);
787 let output = output.trim_end_matches('\\');
788 let idx = output.find("::\\\\").ok_or_else(err_fn)?;
789 Ok((output[idx + 9..]).trim().to_string())
790 }
791 }
792
793 const WSL_PS_SCRIPT: &str = r#"
797$Signature = @"
798using System;
799using System.Runtime.InteropServices;
800using System.Text;
801public static class Win32Api
802{
803
804 [DllImport("Shlwapi.dll", SetLastError = true, CharSet = CharSet.Auto)]
805 static extern uint AssocQueryString(AssocF flags, AssocStr str, string pszAssoc, string pszExtra,[Out] System.Text.StringBuilder pszOut, ref uint pcchOut);
806
807 public static string GetDefaultBrowser()
808 {
809 AssocF assocF = AssocF.IsProtocol;
810 AssocStr association = AssocStr.Command;
811 string assocString = "http";
812
813 uint length = 1024; // we assume 1k is sufficient memory to hold the command
814 var sb = new System.Text.StringBuilder((int) length);
815 uint ret = ret = AssocQueryString(assocF, association, assocString, null, sb, ref length);
816
817 return (ret != 0) ? null : sb.ToString();
818 }
819
820 [Flags]
821 internal enum AssocF : uint
822 {
823 IsProtocol = 0x1000,
824 }
825
826 internal enum AssocStr
827 {
828 Command = 1,
829 Executable,
830 }
831}
832"@
833
834Add-Type -TypeDefinition $Signature
835
836Write-Output $([Win32Api]::GetDefaultBrowser())
837"#;
838
839 }