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
use crate::OpenError;
use std::ffi::OsStr;
use std::io::Write;
use std::process::{Child, Command, Stdio};
use std::{fs, io};
const XDG_OPEN_SCRIPT: &[u8] = include_bytes!("xdg-open");
pub(crate) fn open(path: &OsStr) -> Result<(), OpenError> {
if crate::is_wsl() {
wsl_open(path)
} else {
non_wsl_open(path)
}
}
fn wsl_open(path: &OsStr) -> Result<(), OpenError> {
let result = open_with_wslview(path);
if let Ok(mut child) = result {
return crate::wait_child(&mut child, "wslview");
}
open_with_system_xdg_open(path).map_err(OpenError::Io)?;
Ok(())
}
fn non_wsl_open(path: &OsStr) -> Result<(), OpenError> {
if open_with_system_xdg_open(path).is_err() {
open_with_internal_xdg_open(path)?;
}
Ok(())
}
fn open_with_wslview(path: &OsStr) -> io::Result<Child> {
let converted_path = crate::wsl_to_windows_path(path);
let converted_path = converted_path.as_deref();
let path = match converted_path {
None => path,
Some(x) => x,
};
Command::new("wslview")
.arg(path)
.stdin(Stdio::null())
.stdout(Stdio::null())
.stderr(Stdio::piped())
.spawn()
}
fn open_with_system_xdg_open(path: &OsStr) -> io::Result<Child> {
Command::new("xdg-open")
.arg(path)
.stdin(Stdio::null())
.stdout(Stdio::null())
.stderr(Stdio::null())
.spawn()
}
fn open_with_internal_xdg_open(path: &OsStr) -> Result<Child, OpenError> {
let mut sh = Command::new("sh")
.arg("-s")
.arg(path)
.stdin(Stdio::piped())
.stdout(Stdio::null())
.stderr(Stdio::null())
.spawn()
.map_err(OpenError::Io)?;
sh.stdin
.as_mut()
.unwrap()
.write_all(XDG_OPEN_SCRIPT)
.map_err(OpenError::Io)?;
Ok(sh)
}
pub(crate) fn is_wsl() -> bool {
if is_docker() {
return false;
}
if let Ok(true) = fs::read_to_string("/proc/sys/kernel/osrelease")
.map(|osrelease| osrelease.to_ascii_lowercase().contains("microsoft"))
{
return true;
}
if let Ok(true) = fs::read_to_string("/proc/version")
.map(|version| version.to_ascii_lowercase().contains("microsoft"))
{
return true;
}
false
}
fn is_docker() -> bool {
let has_docker_env = fs::metadata("/.dockerenv").is_ok();
let has_docker_cgroup = fs::read_to_string("/proc/self/cgroup")
.map(|cgroup| cgroup.to_ascii_lowercase().contains("docker"))
.unwrap_or(false);
has_docker_env || has_docker_cgroup
}