]> git.lizzy.rs Git - rust.git/blob - src/imports.rs
Compare extern crate items with its name instead of span
[rust.git] / src / imports.rs
1 // Copyright 2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use std::cmp::Ordering;
12
13 use syntax::ast;
14 use syntax::codemap::{BytePos, Span};
15
16 use codemap::SpanUtils;
17 use comment::combine_strs_with_missing_comments;
18 use config::IndentStyle;
19 use lists::{definitive_tactic, itemize_list, write_list, DefinitiveListTactic, ListFormatting,
20             ListItem, Separator, SeparatorPlace, SeparatorTactic};
21 use rewrite::{Rewrite, RewriteContext};
22 use shape::Shape;
23 use spanned::Spanned;
24 use types::{rewrite_path, PathContext};
25 use utils::{format_visibility, mk_sp};
26 use visitor::{rewrite_extern_crate, FmtVisitor};
27
28 fn compare_path_segments(a: &ast::PathSegment, b: &ast::PathSegment) -> Ordering {
29     a.identifier.name.as_str().cmp(&b.identifier.name.as_str())
30 }
31
32 fn compare_paths(a: &ast::Path, b: &ast::Path) -> Ordering {
33     for segment in a.segments.iter().zip(b.segments.iter()) {
34         let ord = compare_path_segments(segment.0, segment.1);
35         if ord != Ordering::Equal {
36             return ord;
37         }
38     }
39     a.segments.len().cmp(&b.segments.len())
40 }
41
42 fn compare_use_trees(a: &ast::UseTree, b: &ast::UseTree, nested: bool) -> Ordering {
43     use ast::UseTreeKind::*;
44
45     // `use_nested_groups` is not yet supported, remove the `if !nested` when support will be
46     // fully added
47     if !nested {
48         let paths_cmp = compare_paths(&a.prefix, &b.prefix);
49         if paths_cmp != Ordering::Equal {
50             return paths_cmp;
51         }
52     }
53
54     match (&a.kind, &b.kind) {
55         (&Simple(ident_a), &Simple(ident_b)) => {
56             let name_a = &*path_to_imported_ident(&a.prefix).name.as_str();
57             let name_b = &*path_to_imported_ident(&b.prefix).name.as_str();
58             let name_ordering = if name_a == "self" {
59                 if name_b == "self" {
60                     Ordering::Equal
61                 } else {
62                     Ordering::Less
63                 }
64             } else if name_b == "self" {
65                 Ordering::Greater
66             } else {
67                 name_a.cmp(name_b)
68             };
69             if name_ordering == Ordering::Equal {
70                 if ident_a.name.as_str() != name_a {
71                     if ident_b.name.as_str() != name_b {
72                         ident_a.name.as_str().cmp(&ident_b.name.as_str())
73                     } else {
74                         Ordering::Greater
75                     }
76                 } else {
77                     Ordering::Less
78                 }
79             } else {
80                 name_ordering
81             }
82         }
83         (&Glob, &Glob) => Ordering::Equal,
84         (&Simple(_), _) | (&Glob, &Nested(_)) => Ordering::Less,
85         (&Nested(ref a_items), &Nested(ref b_items)) => {
86             let mut a = a_items
87                 .iter()
88                 .map(|&(ref tree, _)| tree.clone())
89                 .collect::<Vec<_>>();
90             let mut b = b_items
91                 .iter()
92                 .map(|&(ref tree, _)| tree.clone())
93                 .collect::<Vec<_>>();
94             a.sort_by(|a, b| compare_use_trees(a, b, true));
95             b.sort_by(|a, b| compare_use_trees(a, b, true));
96             for comparison_pair in a.iter().zip(b.iter()) {
97                 let ord = compare_use_trees(comparison_pair.0, comparison_pair.1, true);
98                 if ord != Ordering::Equal {
99                     return ord;
100                 }
101             }
102             a.len().cmp(&b.len())
103         }
104         (&Glob, &Simple(_)) | (&Nested(_), _) => Ordering::Greater,
105     }
106 }
107
108 fn compare_use_items(a: &ast::Item, b: &ast::Item) -> Option<Ordering> {
109     match (&a.node, &b.node) {
110         (&ast::ItemKind::Use(ref a_tree), &ast::ItemKind::Use(ref b_tree)) => {
111             Some(compare_use_trees(a_tree, b_tree, false))
112         }
113         (&ast::ItemKind::ExternCrate(ref a_name), &ast::ItemKind::ExternCrate(ref b_name)) => {
114             // `extern crate foo as bar;`
115             //               ^^^ Comparing this.
116             let a_orig_name =
117                 a_name.map_or_else(|| a.ident.name.as_str(), |symbol| symbol.as_str());
118             let b_orig_name =
119                 b_name.map_or_else(|| b.ident.name.as_str(), |symbol| symbol.as_str());
120             let result = a_orig_name.cmp(&b_orig_name);
121             if result != Ordering::Equal {
122                 return Some(result);
123             }
124
125             // `extern crate foo as bar;`
126             //                      ^^^ Comparing this.
127             let result = match (a_name, b_name) {
128                 (Some(..), None) => Ordering::Greater,
129                 (None, Some(..)) => Ordering::Less,
130                 (None, None) => Ordering::Equal,
131                 (Some(..), Some(..)) => a.ident.name.cmp(&b.ident.name),
132             };
133             Some(result)
134         }
135         _ => None,
136     }
137 }
138
139 // TODO (some day) remove unused imports, expand globs, compress many single
140 // imports into a list import.
141
142 fn rewrite_prefix(path: &ast::Path, context: &RewriteContext, shape: Shape) -> Option<String> {
143     if path.segments.len() > 1 && path_to_imported_ident(path).to_string() == "self" {
144         let path = &ast::Path {
145             span: path.span,
146             segments: path.segments[..path.segments.len() - 1].to_owned(),
147         };
148         rewrite_path(context, PathContext::Import, None, path, shape)
149     } else {
150         rewrite_path(context, PathContext::Import, None, path, shape)
151     }
152 }
153
154 impl Rewrite for ast::UseTree {
155     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
156         match self.kind {
157             ast::UseTreeKind::Nested(ref items) => {
158                 rewrite_nested_use_tree(shape, &self.prefix, items, self.span, context)
159             }
160             ast::UseTreeKind::Glob => {
161                 let prefix_shape = shape.sub_width(3)?;
162
163                 if !self.prefix.segments.is_empty() {
164                     let path_str = rewrite_prefix(&self.prefix, context, prefix_shape)?;
165                     Some(format!("{}::*", path_str))
166                 } else {
167                     Some("*".to_owned())
168                 }
169             }
170             ast::UseTreeKind::Simple(ident) => {
171                 let ident_str = ident.to_string();
172
173                 // 4 = " as ".len()
174                 let is_same_name_bind = path_to_imported_ident(&self.prefix) == ident;
175                 let prefix_shape = if is_same_name_bind {
176                     shape
177                 } else {
178                     shape.sub_width(ident_str.len() + 4)?
179                 };
180                 let path_str = rewrite_prefix(&self.prefix, context, prefix_shape)
181                     .unwrap_or_else(|| context.snippet(self.prefix.span).to_owned());
182
183                 if is_same_name_bind {
184                     Some(path_str)
185                 } else {
186                     Some(format!("{} as {}", path_str, ident_str))
187                 }
188             }
189         }
190     }
191 }
192
193 fn is_unused_import(tree: &ast::UseTree, attrs: &[ast::Attribute]) -> bool {
194     attrs.is_empty() && is_unused_import_inner(tree)
195 }
196
197 fn is_unused_import_inner(tree: &ast::UseTree) -> bool {
198     match tree.kind {
199         ast::UseTreeKind::Nested(ref items) => match items.len() {
200             0 => true,
201             1 => is_unused_import_inner(&items[0].0),
202             _ => false,
203         },
204         _ => false,
205     }
206 }
207
208 // Rewrite `use foo;` WITHOUT attributes.
209 fn rewrite_import(
210     context: &RewriteContext,
211     vis: &ast::Visibility,
212     tree: &ast::UseTree,
213     attrs: &[ast::Attribute],
214     shape: Shape,
215 ) -> Option<String> {
216     let vis = format_visibility(vis);
217     // 4 = `use `, 1 = `;`
218     let rw = shape
219         .offset_left(vis.len() + 4)
220         .and_then(|shape| shape.sub_width(1))
221         .and_then(|shape| {
222             // If we have an empty nested group with no attributes, we erase it
223             if is_unused_import(tree, attrs) {
224                 Some("".to_owned())
225             } else {
226                 tree.rewrite(context, shape)
227             }
228         });
229     match rw {
230         Some(ref s) if !s.is_empty() => Some(format!("{}use {};", vis, s)),
231         _ => rw,
232     }
233 }
234
235 fn rewrite_imports(
236     context: &RewriteContext,
237     use_items: &[&ast::Item],
238     shape: Shape,
239     span: Span,
240 ) -> Option<String> {
241     let items = itemize_list(
242         context.codemap,
243         use_items.iter(),
244         "",
245         ";",
246         |item| item.span().lo(),
247         |item| item.span().hi(),
248         |item| {
249             let attrs_str = item.attrs.rewrite(context, shape)?;
250
251             let missed_span = if item.attrs.is_empty() {
252                 mk_sp(item.span.lo(), item.span.lo())
253             } else {
254                 mk_sp(item.attrs.last().unwrap().span.hi(), item.span.lo())
255             };
256
257             let item_str = match item.node {
258                 ast::ItemKind::Use(ref tree) => {
259                     rewrite_import(context, &item.vis, tree, &item.attrs, shape)?
260                 }
261                 ast::ItemKind::ExternCrate(..) => rewrite_extern_crate(context, item)?,
262                 _ => return None,
263             };
264
265             combine_strs_with_missing_comments(
266                 context,
267                 &attrs_str,
268                 &item_str,
269                 missed_span,
270                 shape,
271                 false,
272             )
273         },
274         span.lo(),
275         span.hi(),
276         false,
277     );
278     let mut item_pair_vec: Vec<_> = items.zip(use_items.iter()).collect();
279     item_pair_vec.sort_by(|a, b| compare_use_items(a.1, b.1).unwrap());
280     let item_vec: Vec<_> = item_pair_vec.into_iter().map(|pair| pair.0).collect();
281
282     let fmt = ListFormatting {
283         tactic: DefinitiveListTactic::Vertical,
284         separator: "",
285         trailing_separator: SeparatorTactic::Never,
286         separator_place: SeparatorPlace::Back,
287         shape: shape,
288         ends_with_newline: true,
289         preserve_newline: false,
290         config: context.config,
291     };
292
293     write_list(&item_vec, &fmt)
294 }
295
296 impl<'a> FmtVisitor<'a> {
297     pub fn format_imports(&mut self, use_items: &[&ast::Item]) {
298         if use_items.is_empty() {
299             return;
300         }
301
302         let lo = use_items.first().unwrap().span().lo();
303         let hi = use_items.last().unwrap().span().hi();
304         let span = mk_sp(lo, hi);
305         let rw = rewrite_imports(&self.get_context(), use_items, self.shape(), span);
306         self.push_rewrite(span, rw);
307     }
308
309     pub fn format_import(&mut self, item: &ast::Item, tree: &ast::UseTree) {
310         let span = item.span;
311         let shape = self.shape();
312         let rw = rewrite_import(&self.get_context(), &item.vis, tree, &item.attrs, shape);
313         match rw {
314             Some(ref s) if s.is_empty() => {
315                 // Format up to last newline
316                 let prev_span = mk_sp(self.last_pos, source!(self, span).lo());
317                 let span_end = match self.snippet(prev_span).rfind('\n') {
318                     Some(offset) => self.last_pos + BytePos(offset as u32),
319                     None => source!(self, span).lo(),
320                 };
321                 self.format_missing(span_end);
322                 self.last_pos = source!(self, span).hi();
323             }
324             Some(ref s) => {
325                 self.format_missing_with_indent(source!(self, span).lo());
326                 self.push_str(s);
327                 self.last_pos = source!(self, span).hi();
328             }
329             None => {
330                 self.format_missing_with_indent(source!(self, span).lo());
331                 self.format_missing(source!(self, span).hi());
332             }
333         }
334     }
335 }
336
337 fn rewrite_nested_use_tree_single(
338     context: &RewriteContext,
339     path_str: &str,
340     tree: &ast::UseTree,
341     shape: Shape,
342 ) -> Option<String> {
343     match tree.kind {
344         ast::UseTreeKind::Simple(rename) => {
345             let ident = path_to_imported_ident(&tree.prefix);
346             let mut item_str = rewrite_prefix(&tree.prefix, context, shape)?;
347             if item_str == "self" {
348                 item_str = "".to_owned();
349             }
350
351             let path_item_str = if path_str.is_empty() {
352                 if item_str.is_empty() {
353                     "self".to_owned()
354                 } else {
355                     item_str
356                 }
357             } else if item_str.is_empty() {
358                 path_str.to_owned()
359             } else {
360                 format!("{}::{}", path_str, item_str)
361             };
362
363             Some(if ident == rename {
364                 path_item_str
365             } else {
366                 format!("{} as {}", path_item_str, rename)
367             })
368         }
369         ast::UseTreeKind::Glob | ast::UseTreeKind::Nested(..) => {
370             // 2 = "::"
371             let nested_shape = shape.offset_left(path_str.len() + 2)?;
372             tree.rewrite(context, nested_shape)
373                 .map(|item| format!("{}::{}", path_str, item))
374         }
375     }
376 }
377
378 #[derive(Eq, PartialEq)]
379 enum ImportItem<'a> {
380     // `self` or `self as a`
381     SelfImport(&'a str),
382     // name_one, name_two, ...
383     SnakeCase(&'a str),
384     // NameOne, NameTwo, ...
385     CamelCase(&'a str),
386     // NAME_ONE, NAME_TWO, ...
387     AllCaps(&'a str),
388     // Failed to format the import item
389     Invalid,
390 }
391
392 impl<'a> ImportItem<'a> {
393     fn from_str(s: &str) -> ImportItem {
394         if s == "self" || s.starts_with("self as") {
395             ImportItem::SelfImport(s)
396         } else if s.chars().all(|c| c.is_lowercase() || c == '_' || c == ' ') {
397             ImportItem::SnakeCase(s)
398         } else if s.chars().all(|c| c.is_uppercase() || c == '_' || c == ' ') {
399             ImportItem::AllCaps(s)
400         } else {
401             ImportItem::CamelCase(s)
402         }
403     }
404
405     fn from_opt_str(s: Option<&String>) -> ImportItem {
406         s.map_or(ImportItem::Invalid, |s| ImportItem::from_str(s))
407     }
408
409     fn to_str(&self) -> Option<&str> {
410         match *self {
411             ImportItem::SelfImport(s)
412             | ImportItem::SnakeCase(s)
413             | ImportItem::CamelCase(s)
414             | ImportItem::AllCaps(s) => Some(s),
415             ImportItem::Invalid => None,
416         }
417     }
418
419     fn to_u32(&self) -> u32 {
420         match *self {
421             ImportItem::SelfImport(..) => 0,
422             ImportItem::SnakeCase(..) => 1,
423             ImportItem::CamelCase(..) => 2,
424             ImportItem::AllCaps(..) => 3,
425             ImportItem::Invalid => 4,
426         }
427     }
428 }
429
430 impl<'a> PartialOrd for ImportItem<'a> {
431     fn partial_cmp(&self, other: &ImportItem<'a>) -> Option<Ordering> {
432         Some(self.cmp(other))
433     }
434 }
435
436 impl<'a> Ord for ImportItem<'a> {
437     fn cmp(&self, other: &ImportItem<'a>) -> Ordering {
438         let res = self.to_u32().cmp(&other.to_u32());
439         if res != Ordering::Equal {
440             return res;
441         }
442         self.to_str().map_or(Ordering::Greater, |self_str| {
443             other
444                 .to_str()
445                 .map_or(Ordering::Less, |other_str| self_str.cmp(other_str))
446         })
447     }
448 }
449
450 // Pretty prints a multi-item import.
451 // If the path list is empty, it leaves the braces empty.
452 fn rewrite_nested_use_tree(
453     shape: Shape,
454     path: &ast::Path,
455     trees: &[(ast::UseTree, ast::NodeId)],
456     span: Span,
457     context: &RewriteContext,
458 ) -> Option<String> {
459     // Returns a different option to distinguish `::foo` and `foo`
460     let path_str = rewrite_path(context, PathContext::Import, None, path, shape)?;
461
462     match trees.len() {
463         0 => {
464             let shape = shape.offset_left(path_str.len() + 3)?;
465             return rewrite_path(context, PathContext::Import, None, path, shape)
466                 .map(|path_str| format!("{}::{{}}", path_str));
467         }
468         1 => {
469             return rewrite_nested_use_tree_single(context, &path_str, &trees[0].0, shape);
470         }
471         _ => (),
472     }
473
474     let path_str = if path_str.is_empty() {
475         path_str
476     } else {
477         format!("{}::", path_str)
478     };
479
480     // 2 = "{}"
481     let remaining_width = shape.width.checked_sub(path_str.len() + 2).unwrap_or(0);
482     let nested_indent = match context.config.imports_indent() {
483         IndentStyle::Block => shape.indent.block_indent(context.config),
484         // 1 = `{`
485         IndentStyle::Visual => shape.visual_indent(path_str.len() + 1).indent,
486     };
487
488     let nested_shape = match context.config.imports_indent() {
489         IndentStyle::Block => Shape::indented(nested_indent, context.config).sub_width(1)?,
490         IndentStyle::Visual => Shape::legacy(remaining_width, nested_indent),
491     };
492
493     let mut items = {
494         // Dummy value, see explanation below.
495         let mut items = vec![ListItem::from_str("")];
496         let iter = itemize_list(
497             context.codemap,
498             trees.iter().map(|tree| &tree.0),
499             "}",
500             ",",
501             |tree| tree.span.lo(),
502             |tree| tree.span.hi(),
503             |tree| tree.rewrite(context, nested_shape),
504             context.codemap.span_after(span, "{"),
505             span.hi(),
506             false,
507         );
508         items.extend(iter);
509         items
510     };
511
512     // We prefixed the item list with a dummy value so that we can
513     // potentially move "self" to the front of the vector without touching
514     // the rest of the items.
515     let has_self = move_self_to_front(&mut items);
516     let first_index = if has_self { 0 } else { 1 };
517
518     if context.config.reorder_imported_names() {
519         items[1..].sort_by(|a, b| {
520             let a = ImportItem::from_opt_str(a.item.as_ref());
521             let b = ImportItem::from_opt_str(b.item.as_ref());
522             a.cmp(&b)
523         });
524     }
525
526     let tactic = definitive_tactic(
527         &items[first_index..],
528         context.config.imports_layout(),
529         Separator::Comma,
530         remaining_width,
531     );
532
533     let ends_with_newline = context.config.imports_indent() == IndentStyle::Block
534         && tactic != DefinitiveListTactic::Horizontal;
535
536     let fmt = ListFormatting {
537         tactic: tactic,
538         separator: ",",
539         trailing_separator: if ends_with_newline {
540             context.config.trailing_comma()
541         } else {
542             SeparatorTactic::Never
543         },
544         separator_place: SeparatorPlace::Back,
545         shape: nested_shape,
546         ends_with_newline: ends_with_newline,
547         preserve_newline: true,
548         config: context.config,
549     };
550     let list_str = write_list(&items[first_index..], &fmt)?;
551
552     let result = if list_str.contains('\n') && context.config.imports_indent() == IndentStyle::Block
553     {
554         format!(
555             "{}{{\n{}{}\n{}}}",
556             path_str,
557             nested_shape.indent.to_string(context.config),
558             list_str,
559             shape.indent.to_string(context.config)
560         )
561     } else {
562         format!("{}{{{}}}", path_str, list_str)
563     };
564     Some(result)
565 }
566
567 // Returns true when self item was found.
568 fn move_self_to_front(items: &mut Vec<ListItem>) -> bool {
569     match items
570         .iter()
571         .position(|item| item.item.as_ref().map(|x| &x[..]) == Some("self"))
572     {
573         Some(pos) => {
574             items[0] = items.remove(pos);
575             true
576         }
577         None => false,
578     }
579 }
580
581 fn path_to_imported_ident(path: &ast::Path) -> ast::Ident {
582     path.segments.last().unwrap().identifier
583 }