Skip to content

Commit 1628b98

Browse files
committed
auto merge of #18870 : barosl/rust/os-ioresult, r=alexcrichton
Make old-fashioned functions in the `std::os` module utilize `IoResult`. I'm still investigating the possibility to include more functions in this pull request. Currently, it covers `getcwd()`, `make_absolute()`, and `change_dir()`. The issues covered by this PR are #16946 and #16315. A few concerns: - Should we provide `OsError` in distinction from `IoError`? I'm saying this because in Python, those two are distinguished. One advantage that we keep using `IoError` is that we can make the error cascade down other functions whose return type also includes `IoError`. An example of such functions is `std::io::TempDir::new_in()`, which uses `os::make_absolute()` as well as returns `IoResult<TempDir>`. - `os::getcwd()` uses an internal buffer whose size is 2048 bytes, which is passed to `getcwd(3)`. There is no upper limitation of file paths in the POSIX standard, but typically it is set to 4096 bytes such as in Linux. Should we increase the buffer size? One thing that makes me nervous is that the size of 2048 bytes already seems a bit excessive, thinking that in normal cases, there would be no filenames that even exceeds 512 bytes. Fixes #16946. Fixes #16315. Any ideas are welcomed. Thanks!
2 parents c8d6e3b + b5286af commit 1628b98

File tree

12 files changed

+86
-63
lines changed

12 files changed

+86
-63
lines changed

src/librustc/metadata/filesearch.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -219,7 +219,7 @@ pub fn rust_path() -> Vec<Path> {
219219
}
220220
None => Vec::new()
221221
};
222-
let mut cwd = os::getcwd();
222+
let mut cwd = os::getcwd().unwrap();
223223
// now add in default entries
224224
let cwd_dot_rust = cwd.join(".rust");
225225
if !env_rust_path.contains(&cwd_dot_rust) {

src/librustc/plugin/load.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -134,7 +134,7 @@ impl<'a> PluginLoader<'a> {
134134
// Dynamically link a registrar function into the compiler process.
135135
fn dylink_registrar(&mut self, vi: &ast::ViewItem, path: Path, symbol: String) {
136136
// Make sure the path contains a / or the linker will search for it.
137-
let path = os::make_absolute(&path);
137+
let path = os::make_absolute(&path).unwrap();
138138

139139
let lib = match DynamicLibrary::open(Some(&path)) {
140140
Ok(lib) => lib,

src/librustc/session/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -231,7 +231,7 @@ pub fn build_session_(sopts: config::Options,
231231
if path.is_absolute() {
232232
path.clone()
233233
} else {
234-
os::getcwd().join(&path)
234+
os::getcwd().unwrap().join(&path)
235235
}
236236
);
237237

@@ -246,7 +246,7 @@ pub fn build_session_(sopts: config::Options,
246246
plugin_registrar_fn: Cell::new(None),
247247
default_sysroot: default_sysroot,
248248
local_crate_source_file: local_crate_source_file,
249-
working_dir: os::getcwd(),
249+
working_dir: os::getcwd().unwrap(),
250250
lint_store: RefCell::new(lint::LintStore::new()),
251251
lints: RefCell::new(NodeMap::new()),
252252
crate_types: RefCell::new(Vec::new()),

src/librustc_back/archive.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -229,7 +229,7 @@ impl<'a> ArchiveBuilder<'a> {
229229
pub fn build(self) -> Archive<'a> {
230230
// Get an absolute path to the destination, so `ar` will work even
231231
// though we run it from `self.work_dir`.
232-
let abs_dst = os::getcwd().join(&self.archive.dst);
232+
let abs_dst = os::getcwd().unwrap().join(&self.archive.dst);
233233
assert!(!abs_dst.is_relative());
234234
let mut args = vec![&abs_dst];
235235
let mut total_len = abs_dst.as_vec().len();
@@ -286,7 +286,7 @@ impl<'a> ArchiveBuilder<'a> {
286286
// First, extract the contents of the archive to a temporary directory.
287287
// We don't unpack directly into `self.work_dir` due to the possibility
288288
// of filename collisions.
289-
let archive = os::make_absolute(archive);
289+
let archive = os::make_absolute(archive).unwrap();
290290
run_ar(self.archive.handler, &self.archive.maybe_ar_prog,
291291
"x", Some(loc.path()), &[&archive]);
292292

src/librustc_back/fs.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@ use std::os;
1616
/// returned path does not contain any symlinks in its hierarchy.
1717
pub fn realpath(original: &Path) -> io::IoResult<Path> {
1818
static MAX_LINKS_FOLLOWED: uint = 256;
19-
let original = os::make_absolute(original);
19+
let original = os::make_absolute(original).unwrap();
2020

2121
// Right now lstat on windows doesn't work quite well
2222
if cfg!(windows) {

src/librustc_back/rpath.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -102,9 +102,9 @@ fn get_rpath_relative_to_output(config: &mut RPathConfig,
102102
"$ORIGIN"
103103
};
104104

105-
let mut lib = (config.realpath)(&os::make_absolute(lib)).unwrap();
105+
let mut lib = (config.realpath)(&os::make_absolute(lib).unwrap()).unwrap();
106106
lib.pop();
107-
let mut output = (config.realpath)(&os::make_absolute(&config.out_filename)).unwrap();
107+
let mut output = (config.realpath)(&os::make_absolute(&config.out_filename).unwrap()).unwrap();
108108
output.pop();
109109
let relative = lib.path_relative_from(&output);
110110
let relative = relative.expect("could not create rpath relative to output");
@@ -116,7 +116,7 @@ fn get_rpath_relative_to_output(config: &mut RPathConfig,
116116

117117
fn get_install_prefix_rpath(config: RPathConfig) -> String {
118118
let path = (config.get_install_prefix_lib_path)();
119-
let path = os::make_absolute(&path);
119+
let path = os::make_absolute(&path).unwrap();
120120
// FIXME (#9639): This needs to handle non-utf8 paths
121121
path.as_str().expect("non-utf8 component in rpath").to_string()
122122
}

src/libstd/io/process.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -974,7 +974,7 @@ mod tests {
974974
let prog = pwd_cmd().spawn().unwrap();
975975

976976
let output = String::from_utf8(prog.wait_with_output().unwrap().output).unwrap();
977-
let parent_dir = os::getcwd();
977+
let parent_dir = os::getcwd().unwrap();
978978
let child_dir = Path::new(output.as_slice().trim());
979979

980980
let parent_stat = parent_dir.stat().unwrap();
@@ -989,7 +989,7 @@ mod tests {
989989
use os;
990990
// test changing to the parent of os::getcwd() because we know
991991
// the path exists (and os::getcwd() is not expected to be root)
992-
let parent_dir = os::getcwd().dir_path();
992+
let parent_dir = os::getcwd().unwrap().dir_path();
993993
let prog = pwd_cmd().cwd(&parent_dir).spawn().unwrap();
994994

995995
let output = String::from_utf8(prog.wait_with_output().unwrap().output).unwrap();

src/libstd/io/tempfile.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,8 @@ impl TempDir {
3535
/// If no directory can be created, `Err` is returned.
3636
pub fn new_in(tmpdir: &Path, suffix: &str) -> IoResult<TempDir> {
3737
if !tmpdir.is_absolute() {
38-
return TempDir::new_in(&os::make_absolute(tmpdir), suffix);
38+
let abs_tmpdir = try!(os::make_absolute(tmpdir));
39+
return TempDir::new_in(&abs_tmpdir, suffix);
3940
}
4041

4142
static CNT: atomic::AtomicUint = atomic::INIT_ATOMIC_UINT;

src/libstd/io/test.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -75,7 +75,7 @@ fn base_port() -> u16 {
7575
];
7676

7777
// FIXME (#9639): This needs to handle non-utf8 paths
78-
let path = os::getcwd();
78+
let path = os::getcwd().unwrap();
7979
let path_s = path.as_str().unwrap();
8080

8181
let mut final_base = base;

src/libstd/os.rs

+67-45
Original file line numberDiff line numberDiff line change
@@ -38,7 +38,7 @@ pub use self::MapError::*;
3838
use clone::Clone;
3939
use error::{FromError, Error};
4040
use fmt;
41-
use io::IoResult;
41+
use io::{IoResult, IoError};
4242
use iter::Iterator;
4343
use libc::{c_void, c_int};
4444
use libc;
@@ -76,72 +76,83 @@ pub fn num_cpus() -> uint {
7676
pub const TMPBUF_SZ : uint = 1000u;
7777
const BUF_BYTES : uint = 2048u;
7878

79-
/// Returns the current working directory as a Path.
79+
/// Returns the current working directory as a `Path`.
8080
///
81-
/// # Failure
81+
/// # Errors
8282
///
83-
/// Fails if the current working directory value is invalid:
83+
/// Returns an `Err` if the current working directory value is invalid.
8484
/// Possible cases:
8585
///
8686
/// * Current directory does not exist.
8787
/// * There are insufficient permissions to access the current directory.
88+
/// * The internal buffer is not large enough to hold the path.
8889
///
8990
/// # Example
9091
///
9192
/// ```rust
9293
/// use std::os;
9394
///
9495
/// // We assume that we are in a valid directory like "/home".
95-
/// let current_working_directory = os::getcwd();
96+
/// let current_working_directory = os::getcwd().unwrap();
9697
/// println!("The current directory is {}", current_working_directory.display());
9798
/// // /home
9899
/// ```
99100
#[cfg(unix)]
100-
pub fn getcwd() -> Path {
101+
pub fn getcwd() -> IoResult<Path> {
101102
use c_str::CString;
102103

103104
let mut buf = [0 as c_char, ..BUF_BYTES];
104105
unsafe {
105106
if libc::getcwd(buf.as_mut_ptr(), buf.len() as libc::size_t).is_null() {
106-
panic!()
107+
Err(IoError::last_error())
108+
} else {
109+
Ok(Path::new(CString::new(buf.as_ptr(), false)))
107110
}
108-
Path::new(CString::new(buf.as_ptr(), false))
109111
}
110112
}
111113

112-
/// Returns the current working directory as a Path.
114+
/// Returns the current working directory as a `Path`.
113115
///
114-
/// # Failure
116+
/// # Errors
115117
///
116-
/// Fails if the current working directory value is invalid.
117-
/// Possibles cases:
118+
/// Returns an `Err` if the current working directory value is invalid.
119+
/// Possible cases:
118120
///
119121
/// * Current directory does not exist.
120122
/// * There are insufficient permissions to access the current directory.
123+
/// * The internal buffer is not large enough to hold the path.
121124
///
122125
/// # Example
123126
///
124127
/// ```rust
125128
/// use std::os;
126129
///
127130
/// // We assume that we are in a valid directory like "C:\\Windows".
128-
/// let current_working_directory = os::getcwd();
131+
/// let current_working_directory = os::getcwd().unwrap();
129132
/// println!("The current directory is {}", current_working_directory.display());
130133
/// // C:\\Windows
131134
/// ```
132135
#[cfg(windows)]
133-
pub fn getcwd() -> Path {
136+
pub fn getcwd() -> IoResult<Path> {
134137
use libc::DWORD;
135138
use libc::GetCurrentDirectoryW;
139+
use io::OtherIoError;
136140

137141
let mut buf = [0 as u16, ..BUF_BYTES];
138142
unsafe {
139143
if libc::GetCurrentDirectoryW(buf.len() as DWORD, buf.as_mut_ptr()) == 0 as DWORD {
140-
panic!();
144+
return Err(IoError::last_error());
141145
}
142146
}
143-
Path::new(String::from_utf16(::str::truncate_utf16_at_nul(&buf))
144-
.expect("GetCurrentDirectoryW returned invalid UTF-16"))
147+
148+
match String::from_utf16(::str::truncate_utf16_at_nul(&buf)) {
149+
Some(ref cwd) => Ok(Path::new(cwd)),
150+
None => Err(IoError {
151+
kind: OtherIoError,
152+
desc: "GetCurrentDirectoryW returned invalid UTF-16",
153+
detail: None,
154+
}),
155+
}
145156
}
146157

147158
#[cfg(windows)]
@@ -411,7 +422,9 @@ pub fn setenv<T: BytesContainer>(n: &str, v: T) {
411422
with_env_lock(|| {
412423
n.with_c_str(|nbuf| {
413424
v.with_c_str(|vbuf| {
414-
libc::funcs::posix01::unistd::setenv(nbuf, vbuf, 1);
425+
if libc::funcs::posix01::unistd::setenv(nbuf, vbuf, 1) != 0 {
426+
panic!(IoError::last_error());
427+
}
415428
})
416429
})
417430
})
@@ -427,7 +440,9 @@ pub fn setenv<T: BytesContainer>(n: &str, v: T) {
427440

428441
unsafe {
429442
with_env_lock(|| {
430-
libc::SetEnvironmentVariableW(n.as_ptr(), v.as_ptr());
443+
if libc::SetEnvironmentVariableW(n.as_ptr(), v.as_ptr()) == 0 {
444+
panic!(IoError::last_error());
445+
}
431446
})
432447
}
433448
}
@@ -442,7 +457,9 @@ pub fn unsetenv(n: &str) {
442457
unsafe {
443458
with_env_lock(|| {
444459
n.with_c_str(|nbuf| {
445-
libc::funcs::posix01::unistd::unsetenv(nbuf);
460+
if libc::funcs::posix01::unistd::unsetenv(nbuf) != 0 {
461+
panic!(IoError::last_error());
462+
}
446463
})
447464
})
448465
}
@@ -454,11 +471,14 @@ pub fn unsetenv(n: &str) {
454471
n.push(0);
455472
unsafe {
456473
with_env_lock(|| {
457-
libc::SetEnvironmentVariableW(n.as_ptr(), ptr::null());
474+
if libc::SetEnvironmentVariableW(n.as_ptr(), ptr::null()) == 0 {
475+
panic!(IoError::last_error());
476+
}
458477
})
459478
}
460479
}
461-
_unsetenv(n);
480+
481+
_unsetenv(n)
462482
}
463483

464484
/// Parses input according to platform conventions for the `PATH`
@@ -829,20 +849,21 @@ pub fn tmpdir() -> Path {
829849
///
830850
/// // Assume we're in a path like /home/someuser
831851
/// let rel_path = Path::new("..");
832-
/// let abs_path = os::make_absolute(&rel_path);
852+
/// let abs_path = os::make_absolute(&rel_path).unwrap();
833853
/// println!("The absolute path is {}", abs_path.display());
834854
/// // Prints "The absolute path is /home"
835855
/// ```
836856
// NB: this is here rather than in path because it is a form of environment
837857
// querying; what it does depends on the process working directory, not just
838858
// the input paths.
839-
pub fn make_absolute(p: &Path) -> Path {
859+
pub fn make_absolute(p: &Path) -> IoResult<Path> {
840860
if p.is_absolute() {
841-
p.clone()
861+
Ok(p.clone())
842862
} else {
843-
let mut ret = getcwd();
844-
ret.push(p);
845-
ret
863+
getcwd().map(|mut cwd| {
864+
cwd.push(p);
865+
cwd
866+
})
846867
}
847868
}
848869

@@ -855,32 +876,33 @@ pub fn make_absolute(p: &Path) -> Path {
855876
/// use std::path::Path;
856877
///
857878
/// let root = Path::new("/");
858-
/// assert!(os::change_dir(&root));
879+
/// assert!(os::change_dir(&root).is_ok());
859880
/// println!("Successfully changed working directory to {}!", root.display());
860881
/// ```
861-
pub fn change_dir(p: &Path) -> bool {
882+
pub fn change_dir(p: &Path) -> IoResult<()> {
862883
return chdir(p);
863884

864885
#[cfg(windows)]
865-
fn chdir(p: &Path) -> bool {
866-
let p = match p.as_str() {
867-
Some(s) => {
868-
let mut p = s.utf16_units().collect::<Vec<u16>>();
869-
p.push(0);
870-
p
871-
}
872-
None => return false,
873-
};
886+
fn chdir(p: &Path) -> IoResult<()> {
887+
let mut p = p.as_str().unwrap().utf16_units().collect::<Vec<u16>>();
888+
p.push(0);
889+
874890
unsafe {
875-
libc::SetCurrentDirectoryW(p.as_ptr()) != (0 as libc::BOOL)
891+
match libc::SetCurrentDirectoryW(p.as_ptr()) != (0 as libc::BOOL) {
892+
true => Ok(()),
893+
false => Err(IoError::last_error()),
894+
}
876895
}
877896
}
878897

879898
#[cfg(unix)]
880-
fn chdir(p: &Path) -> bool {
899+
fn chdir(p: &Path) -> IoResult<()> {
881900
p.with_c_str(|buf| {
882901
unsafe {
883-
libc::chdir(buf) == (0 as c_int)
902+
match libc::chdir(buf) == (0 as c_int) {
903+
true => Ok(()),
904+
false => Err(IoError::last_error()),
905+
}
884906
}
885907
})
886908
}
@@ -1881,11 +1903,11 @@ mod tests {
18811903
fn test() {
18821904
assert!((!Path::new("test-path").is_absolute()));
18831905

1884-
let cwd = getcwd();
1906+
let cwd = getcwd().unwrap();
18851907
debug!("Current working directory: {}", cwd.display());
18861908

1887-
debug!("{}", make_absolute(&Path::new("test-path")).display());
1888-
debug!("{}", make_absolute(&Path::new("/usr/bin")).display());
1909+
debug!("{}", make_absolute(&Path::new("test-path")).unwrap().display());
1910+
debug!("{}", make_absolute(&Path::new("/usr/bin")).unwrap().display());
18891911
}
18901912

18911913
#[test]

src/test/run-pass/process-spawn-with-unicode-params.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -26,7 +26,7 @@ use std::path::Path;
2626

2727
fn main() {
2828
let my_args = os::args();
29-
let my_cwd = os::getcwd();
29+
let my_cwd = os::getcwd().unwrap();
3030
let my_env = os::env();
3131
let my_path = Path::new(os::self_exe_name().unwrap());
3232
let my_dir = my_path.dir_path();

0 commit comments

Comments
 (0)