blob: dd81db0a2188b2e4702e02409bcb2eaf5f204ed4 (
plain) (
blame)
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
|
tempdir
=======
A Rust library for creating a temporary directory and deleting its entire
contents when the directory is dropped.
[](https://travis-ci.org/rust-lang-nursery/tempdir)
[](https://ci.appveyor.com/project/rust-lang-libs/tempdir/branch/master)
[Documentation](https://doc.rust-lang.org/tempdir)
## Deprecation Note
The `tempdir` crate is being merged into [`tempfile`](https://github.com/Stebalien/tempfile). Please see [this issue](https://github.com/Stebalien/tempfile/issues/43) to track progress and direct new issues and pull requests to `tempfile`.
## Usage
Add this to your `Cargo.toml`:
```toml
[dependencies]
tempdir = "0.3"
```
and this to your crate root:
```rust
extern crate tempdir;
```
## Example
This sample method does the following:
1. Create a temporary directory in the default location with the given prefix.
2. Determine a file path in the directory and print it out.
3. Create a file inside the temp folder.
4. Write to the file and sync it to disk.
5. Close the directory, deleting the contents in the process.
```rust
use std::io::{self, Write};
use std::fs::File;
use tempdir::TempDir;
fn write_temp_folder_with_files() -> io::Result<()> {
let dir = TempDir::new("my_directory_prefix")?;
let file_path = dir.path().join("foo.txt");
println!("{:?}", file_path);
let mut f = File::create(file_path)?;
f.write_all(b"Hello, world!")?;
f.sync_all()?;
dir.close()?;
Ok(())
}
```
**Note:** Closing the directory is actually optional, as it would be done on
drop. The benefit of closing here is that it allows possible errors to be
handled.
|