rust_embed_impl/
lib.rs

1#![recursion_limit = "1024"]
2#![forbid(unsafe_code)]
3#[macro_use]
4extern crate quote;
5extern crate proc_macro;
6
7use proc_macro::TokenStream;
8use proc_macro2::TokenStream as TokenStream2;
9use std::{
10  env,
11  iter::FromIterator,
12  path::{Path, PathBuf},
13};
14use syn::{Data, DeriveInput, Expr, ExprLit, Fields, Lit, Meta, MetaNameValue};
15
16fn embedded(
17  ident: &syn::Ident, relative_folder_path: Option<&str>, absolute_folder_path: String, prefix: Option<&str>, includes: &[String], excludes: &[String],
18) -> TokenStream2 {
19  extern crate rust_embed_utils;
20
21  let mut match_values = Vec::<TokenStream2>::new();
22  let mut list_values = Vec::<String>::new();
23
24  let includes: Vec<&str> = includes.iter().map(AsRef::as_ref).collect();
25  let excludes: Vec<&str> = excludes.iter().map(AsRef::as_ref).collect();
26  for rust_embed_utils::FileEntry { rel_path, full_canonical_path } in rust_embed_utils::get_files(absolute_folder_path.clone(), &includes, &excludes) {
27    match_values.push(embed_file(relative_folder_path.clone(), &rel_path, &full_canonical_path));
28
29    list_values.push(if let Some(prefix) = prefix {
30      format!("{}{}", prefix, rel_path)
31    } else {
32      rel_path
33    });
34  }
35
36  let array_len = list_values.len();
37
38  // If debug-embed is on, unconditionally include the code below. Otherwise,
39  // make it conditional on cfg(not(debug_assertions)).
40  let not_debug_attr = if cfg!(feature = "debug-embed") {
41    quote! {}
42  } else {
43    quote! { #[cfg(not(debug_assertions))]}
44  };
45
46  let handle_prefix = if let Some(prefix) = prefix {
47    quote! {
48      let file_path = file_path.strip_prefix(#prefix)?;
49    }
50  } else {
51    TokenStream2::new()
52  };
53
54  quote! {
55      #not_debug_attr
56      impl #ident {
57          /// Get an embedded file and its metadata.
58          pub fn get(file_path: &str) -> Option<rust_embed::EmbeddedFile> {
59            #handle_prefix
60            match file_path.replace("\\", "/").as_str() {
61                #(#match_values)*
62                _ => None,
63            }
64          }
65
66          fn names() -> std::slice::Iter<'static, &'static str> {
67              const items: [&str; #array_len] = [#(#list_values),*];
68              items.iter()
69          }
70
71          /// Iterates over the file paths in the folder.
72          pub fn iter() -> impl Iterator<Item = std::borrow::Cow<'static, str>> {
73              Self::names().map(|x| std::borrow::Cow::from(*x))
74          }
75      }
76
77      #not_debug_attr
78      impl rust_embed::RustEmbed for #ident {
79        fn get(file_path: &str) -> Option<rust_embed::EmbeddedFile> {
80          #ident::get(file_path)
81        }
82        fn iter() -> rust_embed::Filenames {
83          rust_embed::Filenames::Embedded(#ident::names())
84        }
85      }
86  }
87}
88
89fn dynamic(ident: &syn::Ident, folder_path: String, prefix: Option<&str>, includes: &[String], excludes: &[String]) -> TokenStream2 {
90  let (handle_prefix, map_iter) = if let Some(prefix) = prefix {
91    (
92      quote! { let file_path = file_path.strip_prefix(#prefix)?; },
93      quote! { std::borrow::Cow::Owned(format!("{}{}", #prefix, e.rel_path)) },
94    )
95  } else {
96    (TokenStream2::new(), quote! { std::borrow::Cow::from(e.rel_path) })
97  };
98
99  let declare_includes = quote! {
100    const includes: &[&str] = &[#(#includes),*];
101  };
102
103  let declare_excludes = quote! {
104    const excludes: &[&str] = &[#(#excludes),*];
105  };
106
107  let canonical_folder_path = Path::new(&folder_path).canonicalize().expect("folder path must resolve to an absolute path");
108  let canonical_folder_path = canonical_folder_path.to_str().expect("absolute folder path must be valid unicode");
109
110  quote! {
111      #[cfg(debug_assertions)]
112      impl #ident {
113          /// Get an embedded file and its metadata.
114          pub fn get(file_path: &str) -> Option<rust_embed::EmbeddedFile> {
115              #handle_prefix
116
117              #declare_includes
118              #declare_excludes
119
120              let rel_file_path = file_path.replace("\\", "/");
121              let file_path = std::path::Path::new(#folder_path).join(&rel_file_path);
122
123              // Make sure the path requested does not escape the folder path
124              let canonical_file_path = file_path.canonicalize().ok()?;
125              if !canonical_file_path.starts_with(#canonical_folder_path) {
126                  // Tried to request a path that is not in the embedded folder
127                  return None;
128              }
129
130              if rust_embed::utils::is_path_included(&rel_file_path, includes, excludes) {
131                rust_embed::utils::read_file_from_fs(&canonical_file_path).ok()
132              } else {
133                None
134              }
135          }
136
137          /// Iterates over the file paths in the folder.
138          pub fn iter() -> impl Iterator<Item = std::borrow::Cow<'static, str>> {
139              use std::path::Path;
140
141              #declare_includes
142              #declare_excludes
143
144              rust_embed::utils::get_files(String::from(#folder_path), includes, excludes)
145                  .map(|e| #map_iter)
146          }
147      }
148
149      #[cfg(debug_assertions)]
150      impl rust_embed::RustEmbed for #ident {
151        fn get(file_path: &str) -> Option<rust_embed::EmbeddedFile> {
152          #ident::get(file_path)
153        }
154        fn iter() -> rust_embed::Filenames {
155          // the return type of iter() is unnamable, so we have to box it
156          rust_embed::Filenames::Dynamic(Box::new(#ident::iter()))
157        }
158      }
159  }
160}
161
162fn generate_assets(
163  ident: &syn::Ident, relative_folder_path: Option<&str>, absolute_folder_path: String, prefix: Option<String>, includes: Vec<String>, excludes: Vec<String>,
164) -> TokenStream2 {
165  let embedded_impl = embedded(
166    ident,
167    relative_folder_path,
168    absolute_folder_path.clone(),
169    prefix.as_deref(),
170    &includes,
171    &excludes,
172  );
173  if cfg!(feature = "debug-embed") {
174    return embedded_impl;
175  }
176
177  let dynamic_impl = dynamic(ident, absolute_folder_path, prefix.as_deref(), &includes, &excludes);
178
179  quote! {
180      #embedded_impl
181      #dynamic_impl
182  }
183}
184
185fn embed_file(folder_path: Option<&str>, rel_path: &str, full_canonical_path: &str) -> TokenStream2 {
186  let file = rust_embed_utils::read_file_from_fs(Path::new(full_canonical_path)).expect("File should be readable");
187  let hash = file.metadata.sha256_hash();
188  let last_modified = match file.metadata.last_modified() {
189    Some(last_modified) => quote! { Some(#last_modified) },
190    None => quote! { None },
191  };
192  #[cfg(feature = "mime-guess")]
193  let mimetype_tokens = {
194    let mt = file.metadata.mimetype();
195    quote! { , #mt }
196  };
197  #[cfg(not(feature = "mime-guess"))]
198  let mimetype_tokens = TokenStream2::new();
199
200  let embedding_code = if cfg!(feature = "compression") {
201    // Print some debugging information
202    let full_relative_path = PathBuf::from_iter([folder_path.expect("folder_path must be provided under `compression` feature"), rel_path]);
203    let full_relative_path = full_relative_path.to_string_lossy();
204    quote! {
205      rust_embed::flate!(static FILE: [u8] from #full_relative_path);
206      let bytes = &FILE[..];
207    }
208  } else {
209    quote! {
210      let bytes = &include_bytes!(#full_canonical_path)[..];
211    }
212  };
213
214  quote! {
215      #rel_path => {
216          #embedding_code
217
218          Some(rust_embed::EmbeddedFile {
219              data: std::borrow::Cow::from(bytes),
220              metadata: rust_embed::Metadata::__rust_embed_new([#(#hash),*], #last_modified #mimetype_tokens)
221          })
222      }
223  }
224}
225
226/// Find all pairs of the `name = "value"` attribute from the derive input
227fn find_attribute_values(ast: &syn::DeriveInput, attr_name: &str) -> Vec<String> {
228  ast
229    .attrs
230    .iter()
231    .filter(|value| value.path().is_ident(attr_name))
232    .filter_map(|attr| match &attr.meta {
233      Meta::NameValue(MetaNameValue {
234        value: Expr::Lit(ExprLit { lit: Lit::Str(val), .. }),
235        ..
236      }) => Some(val.value()),
237      _ => None,
238    })
239    .collect()
240}
241
242fn impl_rust_embed(ast: &syn::DeriveInput) -> TokenStream2 {
243  match ast.data {
244    Data::Struct(ref data) => match data.fields {
245      Fields::Unit => {}
246      _ => panic!("RustEmbed can only be derived for unit structs"),
247    },
248    _ => panic!("RustEmbed can only be derived for unit structs"),
249  };
250
251  let mut folder_paths = find_attribute_values(ast, "folder");
252  if folder_paths.len() != 1 {
253    panic!("#[derive(RustEmbed)] must contain one attribute like this #[folder = \"examples/public/\"]");
254  }
255  let folder_path = folder_paths.remove(0);
256
257  let prefix = find_attribute_values(ast, "prefix").into_iter().next();
258  let includes = find_attribute_values(ast, "include");
259  let excludes = find_attribute_values(ast, "exclude");
260
261  #[cfg(not(feature = "include-exclude"))]
262  if !includes.is_empty() || !excludes.is_empty() {
263    panic!("Please turn on the `include-exclude` feature to use the `include` and `exclude` attributes")
264  }
265
266  #[cfg(feature = "interpolate-folder-path")]
267  let folder_path = shellexpand::full(&folder_path).unwrap().to_string();
268
269  // Base relative paths on the Cargo.toml location
270  let (relative_path, absolute_folder_path) = if Path::new(&folder_path).is_relative() {
271    let absolute_path = Path::new(&env::var("CARGO_MANIFEST_DIR").unwrap())
272      .join(&folder_path)
273      .to_str()
274      .unwrap()
275      .to_owned();
276    (Some(folder_path.clone()), absolute_path)
277  } else {
278    if cfg!(feature = "compression") {
279      panic!("`folder` must be a relative path under `compression` feature.")
280    }
281    (None, folder_path)
282  };
283
284  if !Path::new(&absolute_folder_path).exists() {
285    let mut message = format!(
286      "#[derive(RustEmbed)] folder '{}' does not exist. cwd: '{}'",
287      absolute_folder_path,
288      std::env::current_dir().unwrap().to_str().unwrap()
289    );
290
291    // Add a message about the interpolate-folder-path feature if the path may
292    // include a variable
293    if absolute_folder_path.contains('$') && cfg!(not(feature = "interpolate-folder-path")) {
294      message += "\nA variable has been detected. RustEmbed can expand variables \
295                  when the `interpolate-folder-path` feature is enabled.";
296    }
297
298    panic!("{}", message);
299  };
300
301  generate_assets(&ast.ident, relative_path.as_deref(), absolute_folder_path, prefix, includes, excludes)
302}
303
304#[proc_macro_derive(RustEmbed, attributes(folder, prefix, include, exclude))]
305pub fn derive_input_object(input: TokenStream) -> TokenStream {
306  let ast: DeriveInput = syn::parse(input).unwrap();
307  let gen = impl_rust_embed(&ast);
308  gen.into()
309}