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 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174
use std::io;
use std::path::{Path, PathBuf};
use std::ops::{Deref, DerefMut};
use tokio::fs::File;
use crate::request::Request;
use crate::response::{self, Responder};
use crate::http::ContentType;
/// A [`Responder`] that sends file data with a Content-Type based on its
/// file extension.
///
/// # Example
///
/// A simple static file server mimicking [`FileServer`]:
///
/// ```rust
/// # use rocket::get;
/// use std::path::{PathBuf, Path};
///
/// use rocket::fs::{NamedFile, relative};
///
/// #[get("/file/<path..>")]
/// pub async fn second(path: PathBuf) -> Option<NamedFile> {
/// let mut path = Path::new(relative!("static")).join(path);
/// if path.is_dir() {
/// path.push("index.html");
/// }
///
/// NamedFile::open(path).await.ok()
/// }
/// ```
///
/// Always prefer to use [`FileServer`] which has more functionality and a
/// pithier API.
///
/// [`FileServer`]: crate::fs::FileServer
#[derive(Debug)]
pub struct NamedFile(PathBuf, File);
impl NamedFile {
/// Attempts to open a file in read-only mode.
///
/// # Errors
///
/// This function will return an error if path does not already exist. Other
/// errors may also be returned according to
/// [`OpenOptions::open()`](std::fs::OpenOptions::open()).
///
/// # Example
///
/// ```rust
/// # use rocket::get;
/// use rocket::fs::NamedFile;
///
/// #[get("/")]
/// async fn index() -> Option<NamedFile> {
/// NamedFile::open("index.html").await.ok()
/// }
/// ```
pub async fn open<P: AsRef<Path>>(path: P) -> io::Result<NamedFile> {
// FIXME: Grab the file size here and prohibit `seek`ing later (or else
// the file's effective size may change), to save on the cost of doing
// all of those `seek`s to determine the file size. But, what happens if
// the file gets changed between now and then?
let file = File::open(path.as_ref()).await?;
Ok(NamedFile(path.as_ref().to_path_buf(), file))
}
/// Retrieve the underlying `File`.
///
/// # Example
///
/// ```rust
/// use rocket::fs::NamedFile;
///
/// # async fn f() -> std::io::Result<()> {
/// let named_file = NamedFile::open("index.html").await?;
/// let file = named_file.file();
/// # Ok(())
/// # }
/// ```
#[inline(always)]
pub fn file(&self) -> &File {
&self.1
}
/// Retrieve a mutable borrow to the underlying `File`.
///
/// # Example
///
/// ```rust
/// use rocket::fs::NamedFile;
///
/// # async fn f() -> std::io::Result<()> {
/// let mut named_file = NamedFile::open("index.html").await?;
/// let file = named_file.file_mut();
/// # Ok(())
/// # }
/// ```
#[inline(always)]
pub fn file_mut(&mut self) -> &mut File {
&mut self.1
}
/// Take the underlying `File`.
///
/// # Example
///
/// ```rust
/// use rocket::fs::NamedFile;
///
/// # async fn f() -> std::io::Result<()> {
/// let named_file = NamedFile::open("index.html").await?;
/// let file = named_file.take_file();
/// # Ok(())
/// # }
/// ```
#[inline(always)]
pub fn take_file(self) -> File {
self.1
}
/// Retrieve the path of this file.
///
/// # Examples
///
/// ```rust
/// use rocket::fs::NamedFile;
///
/// # async fn demo_path() -> std::io::Result<()> {
/// let file = NamedFile::open("foo.txt").await?;
/// assert_eq!(file.path().as_os_str(), "foo.txt");
/// # Ok(())
/// # }
/// ```
#[inline(always)]
pub fn path(&self) -> &Path {
self.0.as_path()
}
}
/// Streams the named file to the client. Sets or overrides the Content-Type in
/// the response according to the file's extension if the extension is
/// recognized. See [`ContentType::from_extension()`] for more information. If
/// you would like to stream a file with a different Content-Type than that
/// implied by its extension, use a [`File`] directly.
impl<'r> Responder<'r, 'static> for NamedFile {
fn respond_to(self, req: &'r Request<'_>) -> response::Result<'static> {
let mut response = self.1.respond_to(req)?;
if let Some(ext) = self.0.extension() {
if let Some(ct) = ContentType::from_extension(&ext.to_string_lossy()) {
response.set_header(ct);
}
}
Ok(response)
}
}
impl Deref for NamedFile {
type Target = File;
fn deref(&self) -> &File {
&self.1
}
}
impl DerefMut for NamedFile {
fn deref_mut(&mut self) -> &mut File {
&mut self.1
}
}