]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_expand/src/module.rs
Auto merge of #82878 - sexxi-goose:repr_packed, r=nikomatsakis
[rust.git] / compiler / rustc_expand / src / module.rs
1 use crate::base::ModuleData;
2 use rustc_ast::ptr::P;
3 use rustc_ast::{token, Attribute, Item};
4 use rustc_errors::{struct_span_err, DiagnosticBuilder};
5 use rustc_parse::new_parser_from_file;
6 use rustc_session::parse::ParseSess;
7 use rustc_session::Session;
8 use rustc_span::symbol::{sym, Ident};
9 use rustc_span::Span;
10
11 use std::path::{self, Path, PathBuf};
12
13 #[derive(Copy, Clone)]
14 pub enum DirOwnership {
15     Owned {
16         // None if `mod.rs`, `Some("foo")` if we're in `foo.rs`.
17         relative: Option<Ident>,
18     },
19     UnownedViaBlock,
20 }
21
22 // Public for rustfmt usage.
23 pub struct ModulePathSuccess {
24     pub file_path: PathBuf,
25     pub dir_ownership: DirOwnership,
26 }
27
28 crate struct ParsedExternalMod {
29     pub items: Vec<P<Item>>,
30     pub inner_span: Span,
31     pub file_path: PathBuf,
32     pub dir_path: PathBuf,
33     pub dir_ownership: DirOwnership,
34 }
35
36 pub enum ModError<'a> {
37     CircularInclusion(Vec<PathBuf>),
38     ModInBlock(Option<Ident>),
39     FileNotFound(Ident, PathBuf),
40     MultipleCandidates(Ident, String, String),
41     ParserError(DiagnosticBuilder<'a>),
42 }
43
44 crate fn parse_external_mod(
45     sess: &Session,
46     ident: Ident,
47     span: Span, // The span to blame on errors.
48     module: &ModuleData,
49     mut dir_ownership: DirOwnership,
50     attrs: &mut Vec<Attribute>,
51 ) -> ParsedExternalMod {
52     // We bail on the first error, but that error does not cause a fatal error... (1)
53     let result: Result<_, ModError<'_>> = try {
54         // Extract the file path and the new ownership.
55         let mp = mod_file_path(sess, ident, &attrs, &module.dir_path, dir_ownership)?;
56         dir_ownership = mp.dir_ownership;
57
58         // Ensure file paths are acyclic.
59         if let Some(pos) = module.file_path_stack.iter().position(|p| p == &mp.file_path) {
60             Err(ModError::CircularInclusion(module.file_path_stack[pos..].to_vec()))?;
61         }
62
63         // Actually parse the external file as a module.
64         let mut parser = new_parser_from_file(&sess.parse_sess, &mp.file_path, Some(span));
65         let (mut inner_attrs, items, inner_span) =
66             parser.parse_mod(&token::Eof).map_err(|err| ModError::ParserError(err))?;
67         attrs.append(&mut inner_attrs);
68         (items, inner_span, mp.file_path)
69     };
70     // (1) ...instead, we return a dummy module.
71     let (items, inner_span, file_path) =
72         result.map_err(|err| err.report(sess, span)).unwrap_or_default();
73
74     // Extract the directory path for submodules of the module.
75     let dir_path = file_path.parent().unwrap_or(&file_path).to_owned();
76
77     ParsedExternalMod { items, inner_span, file_path, dir_path, dir_ownership }
78 }
79
80 crate fn mod_dir_path(
81     sess: &Session,
82     ident: Ident,
83     attrs: &[Attribute],
84     module: &ModuleData,
85     mut dir_ownership: DirOwnership,
86 ) -> (PathBuf, DirOwnership) {
87     if let Some(file_path) = mod_file_path_from_attr(sess, attrs, &module.dir_path) {
88         // For inline modules file path from `#[path]` is actually the directory path
89         // for historical reasons, so we don't pop the last segment here.
90         return (file_path, DirOwnership::Owned { relative: None });
91     }
92
93     // We have to push on the current module name in the case of relative
94     // paths in order to ensure that any additional module paths from inline
95     // `mod x { ... }` come after the relative extension.
96     //
97     // For example, a `mod z { ... }` inside `x/y.rs` should set the current
98     // directory path to `/x/y/z`, not `/x/z` with a relative offset of `y`.
99     let mut dir_path = module.dir_path.clone();
100     if let DirOwnership::Owned { relative } = &mut dir_ownership {
101         if let Some(ident) = relative.take() {
102             // Remove the relative offset.
103             dir_path.push(&*ident.as_str());
104         }
105     }
106     dir_path.push(&*ident.as_str());
107
108     (dir_path, dir_ownership)
109 }
110
111 fn mod_file_path<'a>(
112     sess: &'a Session,
113     ident: Ident,
114     attrs: &[Attribute],
115     dir_path: &Path,
116     dir_ownership: DirOwnership,
117 ) -> Result<ModulePathSuccess, ModError<'a>> {
118     if let Some(file_path) = mod_file_path_from_attr(sess, attrs, dir_path) {
119         // All `#[path]` files are treated as though they are a `mod.rs` file.
120         // This means that `mod foo;` declarations inside `#[path]`-included
121         // files are siblings,
122         //
123         // Note that this will produce weirdness when a file named `foo.rs` is
124         // `#[path]` included and contains a `mod foo;` declaration.
125         // If you encounter this, it's your own darn fault :P
126         let dir_ownership = DirOwnership::Owned { relative: None };
127         return Ok(ModulePathSuccess { file_path, dir_ownership });
128     }
129
130     let relative = match dir_ownership {
131         DirOwnership::Owned { relative } => relative,
132         DirOwnership::UnownedViaBlock => None,
133     };
134     let result = default_submod_path(&sess.parse_sess, ident, relative, dir_path);
135     match dir_ownership {
136         DirOwnership::Owned { .. } => result,
137         DirOwnership::UnownedViaBlock => Err(ModError::ModInBlock(match result {
138             Ok(_) | Err(ModError::MultipleCandidates(..)) => Some(ident),
139             _ => None,
140         })),
141     }
142 }
143
144 /// Derive a submodule path from the first found `#[path = "path_string"]`.
145 /// The provided `dir_path` is joined with the `path_string`.
146 fn mod_file_path_from_attr(
147     sess: &Session,
148     attrs: &[Attribute],
149     dir_path: &Path,
150 ) -> Option<PathBuf> {
151     // Extract path string from first `#[path = "path_string"]` attribute.
152     let path_string = sess.first_attr_value_str_by_name(attrs, sym::path)?.as_str();
153
154     // On windows, the base path might have the form
155     // `\\?\foo\bar` in which case it does not tolerate
156     // mixed `/` and `\` separators, so canonicalize
157     // `/` to `\`.
158     #[cfg(windows)]
159     let path_string = path_string.replace("/", "\\");
160
161     Some(dir_path.join(&*path_string))
162 }
163
164 /// Returns a path to a module.
165 // Public for rustfmt usage.
166 pub fn default_submod_path<'a>(
167     sess: &'a ParseSess,
168     ident: Ident,
169     relative: Option<Ident>,
170     dir_path: &Path,
171 ) -> Result<ModulePathSuccess, ModError<'a>> {
172     // If we're in a foo.rs file instead of a mod.rs file,
173     // we need to look for submodules in
174     // `./foo/<ident>.rs` and `./foo/<ident>/mod.rs` rather than
175     // `./<ident>.rs` and `./<ident>/mod.rs`.
176     let relative_prefix_string;
177     let relative_prefix = if let Some(ident) = relative {
178         relative_prefix_string = format!("{}{}", ident.name, path::MAIN_SEPARATOR);
179         &relative_prefix_string
180     } else {
181         ""
182     };
183
184     let mod_name = ident.name.to_string();
185     let default_path_str = format!("{}{}.rs", relative_prefix, mod_name);
186     let secondary_path_str =
187         format!("{}{}{}mod.rs", relative_prefix, mod_name, path::MAIN_SEPARATOR);
188     let default_path = dir_path.join(&default_path_str);
189     let secondary_path = dir_path.join(&secondary_path_str);
190     let default_exists = sess.source_map().file_exists(&default_path);
191     let secondary_exists = sess.source_map().file_exists(&secondary_path);
192
193     match (default_exists, secondary_exists) {
194         (true, false) => Ok(ModulePathSuccess {
195             file_path: default_path,
196             dir_ownership: DirOwnership::Owned { relative: Some(ident) },
197         }),
198         (false, true) => Ok(ModulePathSuccess {
199             file_path: secondary_path,
200             dir_ownership: DirOwnership::Owned { relative: None },
201         }),
202         (false, false) => Err(ModError::FileNotFound(ident, default_path)),
203         (true, true) => {
204             Err(ModError::MultipleCandidates(ident, default_path_str, secondary_path_str))
205         }
206     }
207 }
208
209 impl ModError<'_> {
210     fn report(self, sess: &Session, span: Span) {
211         let diag = &sess.parse_sess.span_diagnostic;
212         match self {
213             ModError::CircularInclusion(file_paths) => {
214                 let mut msg = String::from("circular modules: ");
215                 for file_path in &file_paths {
216                     msg.push_str(&file_path.display().to_string());
217                     msg.push_str(" -> ");
218                 }
219                 msg.push_str(&file_paths[0].display().to_string());
220                 diag.struct_span_err(span, &msg)
221             }
222             ModError::ModInBlock(ident) => {
223                 let msg = "cannot declare a non-inline module inside a block unless it has a path attribute";
224                 let mut err = diag.struct_span_err(span, msg);
225                 if let Some(ident) = ident {
226                     let note =
227                         format!("maybe `use` the module `{}` instead of redeclaring it", ident);
228                     err.span_note(span, &note);
229                 }
230                 err
231             }
232             ModError::FileNotFound(ident, default_path) => {
233                 let mut err = struct_span_err!(
234                     diag,
235                     span,
236                     E0583,
237                     "file not found for module `{}`",
238                     ident,
239                 );
240                 err.help(&format!(
241                     "to create the module `{}`, create file \"{}\"",
242                     ident,
243                     default_path.display(),
244                 ));
245                 err
246             }
247             ModError::MultipleCandidates(ident, default_path_short, secondary_path_short) => {
248                 let mut err = struct_span_err!(
249                     diag,
250                     span,
251                     E0761,
252                     "file for module `{}` found at both {} and {}",
253                     ident,
254                     default_path_short,
255                     secondary_path_short,
256                 );
257                 err.help("delete or rename one of them to remove the ambiguity");
258                 err
259             }
260             ModError::ParserError(err) => err,
261         }.emit()
262     }
263 }