]> git.lizzy.rs Git - rust.git/blob - src/librustc_save_analysis/lib.rs
syntax::print -> new crate rustc_ast_pretty
[rust.git] / src / librustc_save_analysis / lib.rs
1 #![doc(html_root_url = "https://doc.rust-lang.org/nightly/")]
2 #![feature(nll)]
3 #![recursion_limit = "256"]
4
5 mod dump_visitor;
6 mod dumper;
7 #[macro_use]
8 mod span_utils;
9 mod sig;
10
11 use rustc::middle::cstore::ExternCrate;
12 use rustc::middle::privacy::AccessLevels;
13 use rustc::session::config::{CrateType, Input, OutputType};
14 use rustc::ty::{self, DefIdTree, TyCtxt};
15 use rustc::{bug, span_bug};
16 use rustc_ast_pretty::pprust::{self, param_to_string, ty_to_string};
17 use rustc_codegen_utils::link::{filename_for_metadata, out_filename};
18 use rustc_hir as hir;
19 use rustc_hir::def::{CtorOf, DefKind as HirDefKind, Res};
20 use rustc_hir::def_id::{DefId, LOCAL_CRATE};
21 use rustc_hir::Node;
22 use rustc_span::source_map::Spanned;
23 use rustc_span::*;
24 use syntax::ast::{self, Attribute, NodeId, PatKind, DUMMY_NODE_ID};
25 use syntax::util::comments::strip_doc_comment_decoration;
26 use syntax::visit::{self, Visitor};
27
28 use std::cell::Cell;
29 use std::default::Default;
30 use std::env;
31 use std::fs::File;
32 use std::io::BufWriter;
33 use std::path::{Path, PathBuf};
34
35 use dump_visitor::DumpVisitor;
36 use span_utils::SpanUtils;
37
38 use rls_data::config::Config;
39 use rls_data::{
40     Analysis, Def, DefKind, ExternalCrateData, GlobalCrateId, Impl, ImplKind, MacroRef, Ref,
41     RefKind, Relation, RelationKind, SpanData,
42 };
43
44 use log::{debug, error, info};
45
46 pub struct SaveContext<'l, 'tcx> {
47     tcx: TyCtxt<'tcx>,
48     tables: &'l ty::TypeckTables<'tcx>,
49     /// Used as a fallback when nesting the typeck tables during item processing
50     /// (if these are not available for that item, e.g. don't own a body)
51     empty_tables: &'l ty::TypeckTables<'tcx>,
52     access_levels: &'l AccessLevels,
53     span_utils: SpanUtils<'tcx>,
54     config: Config,
55     impl_counter: Cell<u32>,
56 }
57
58 #[derive(Debug)]
59 pub enum Data {
60     RefData(Ref),
61     DefData(Def),
62     RelationData(Relation, Impl),
63 }
64
65 impl<'l, 'tcx> SaveContext<'l, 'tcx> {
66     fn span_from_span(&self, span: Span) -> SpanData {
67         use rls_span::{Column, Row};
68
69         let cm = self.tcx.sess.source_map();
70         let start = cm.lookup_char_pos(span.lo());
71         let end = cm.lookup_char_pos(span.hi());
72
73         SpanData {
74             file_name: start.file.name.to_string().into(),
75             byte_start: span.lo().0,
76             byte_end: span.hi().0,
77             line_start: Row::new_one_indexed(start.line as u32),
78             line_end: Row::new_one_indexed(end.line as u32),
79             column_start: Column::new_one_indexed(start.col.0 as u32 + 1),
80             column_end: Column::new_one_indexed(end.col.0 as u32 + 1),
81         }
82     }
83
84     // Returns path to the compilation output (e.g., libfoo-12345678.rmeta)
85     pub fn compilation_output(&self, crate_name: &str) -> PathBuf {
86         let sess = &self.tcx.sess;
87         // Save-analysis is emitted per whole session, not per each crate type
88         let crate_type = sess.crate_types.borrow()[0];
89         let outputs = &*self.tcx.output_filenames(LOCAL_CRATE);
90
91         if outputs.outputs.contains_key(&OutputType::Metadata) {
92             filename_for_metadata(sess, crate_name, outputs)
93         } else if outputs.outputs.should_codegen() {
94             out_filename(sess, crate_type, outputs, crate_name)
95         } else {
96             // Otherwise it's only a DepInfo, in which case we return early and
97             // not even reach the analysis stage.
98             unreachable!()
99         }
100     }
101
102     // List external crates used by the current crate.
103     pub fn get_external_crates(&self) -> Vec<ExternalCrateData> {
104         let mut result = Vec::with_capacity(self.tcx.crates().len());
105
106         for &n in self.tcx.crates().iter() {
107             let span = match self.tcx.extern_crate(n.as_def_id()) {
108                 Some(&ExternCrate { span, .. }) => span,
109                 None => {
110                     debug!("skipping crate {}, no data", n);
111                     continue;
112                 }
113             };
114             let lo_loc = self.span_utils.sess.source_map().lookup_char_pos(span.lo());
115             result.push(ExternalCrateData {
116                 // FIXME: change file_name field to PathBuf in rls-data
117                 // https://github.com/nrc/rls-data/issues/7
118                 file_name: self.span_utils.make_filename_string(&lo_loc.file),
119                 num: n.as_u32(),
120                 id: GlobalCrateId {
121                     name: self.tcx.crate_name(n).to_string(),
122                     disambiguator: self.tcx.crate_disambiguator(n).to_fingerprint().as_value(),
123                 },
124             });
125         }
126
127         result
128     }
129
130     pub fn get_extern_item_data(&self, item: &ast::ForeignItem) -> Option<Data> {
131         let qualname = format!(
132             "::{}",
133             self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
134         );
135         match item.kind {
136             ast::ForeignItemKind::Fn(ref decl, ref generics) => {
137                 filter!(self.span_utils, item.ident.span);
138
139                 Some(Data::DefData(Def {
140                     kind: DefKind::ForeignFunction,
141                     id: id_from_node_id(item.id, self),
142                     span: self.span_from_span(item.ident.span),
143                     name: item.ident.to_string(),
144                     qualname,
145                     value: make_signature(decl, generics),
146                     parent: None,
147                     children: vec![],
148                     decl_id: None,
149                     docs: self.docs_for_attrs(&item.attrs),
150                     sig: sig::foreign_item_signature(item, self),
151                     attributes: lower_attributes(item.attrs.clone(), self),
152                 }))
153             }
154             ast::ForeignItemKind::Static(ref ty, _) => {
155                 filter!(self.span_utils, item.ident.span);
156
157                 let id = id_from_node_id(item.id, self);
158                 let span = self.span_from_span(item.ident.span);
159
160                 Some(Data::DefData(Def {
161                     kind: DefKind::ForeignStatic,
162                     id,
163                     span,
164                     name: item.ident.to_string(),
165                     qualname,
166                     value: ty_to_string(ty),
167                     parent: None,
168                     children: vec![],
169                     decl_id: None,
170                     docs: self.docs_for_attrs(&item.attrs),
171                     sig: sig::foreign_item_signature(item, self),
172                     attributes: lower_attributes(item.attrs.clone(), self),
173                 }))
174             }
175             // FIXME(plietar): needs a new DefKind in rls-data
176             ast::ForeignItemKind::Ty => None,
177             ast::ForeignItemKind::Macro(..) => None,
178         }
179     }
180
181     pub fn get_item_data(&self, item: &ast::Item) -> Option<Data> {
182         match item.kind {
183             ast::ItemKind::Fn(ref sig, .., ref generics, _) => {
184                 let qualname = format!(
185                     "::{}",
186                     self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
187                 );
188                 filter!(self.span_utils, item.ident.span);
189                 Some(Data::DefData(Def {
190                     kind: DefKind::Function,
191                     id: id_from_node_id(item.id, self),
192                     span: self.span_from_span(item.ident.span),
193                     name: item.ident.to_string(),
194                     qualname,
195                     value: make_signature(&sig.decl, generics),
196                     parent: None,
197                     children: vec![],
198                     decl_id: None,
199                     docs: self.docs_for_attrs(&item.attrs),
200                     sig: sig::item_signature(item, self),
201                     attributes: lower_attributes(item.attrs.clone(), self),
202                 }))
203             }
204             ast::ItemKind::Static(ref typ, ..) => {
205                 let qualname = format!(
206                     "::{}",
207                     self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
208                 );
209
210                 filter!(self.span_utils, item.ident.span);
211
212                 let id = id_from_node_id(item.id, self);
213                 let span = self.span_from_span(item.ident.span);
214
215                 Some(Data::DefData(Def {
216                     kind: DefKind::Static,
217                     id,
218                     span,
219                     name: item.ident.to_string(),
220                     qualname,
221                     value: ty_to_string(&typ),
222                     parent: None,
223                     children: vec![],
224                     decl_id: None,
225                     docs: self.docs_for_attrs(&item.attrs),
226                     sig: sig::item_signature(item, self),
227                     attributes: lower_attributes(item.attrs.clone(), self),
228                 }))
229             }
230             ast::ItemKind::Const(ref typ, _) => {
231                 let qualname = format!(
232                     "::{}",
233                     self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
234                 );
235                 filter!(self.span_utils, item.ident.span);
236
237                 let id = id_from_node_id(item.id, self);
238                 let span = self.span_from_span(item.ident.span);
239
240                 Some(Data::DefData(Def {
241                     kind: DefKind::Const,
242                     id,
243                     span,
244                     name: item.ident.to_string(),
245                     qualname,
246                     value: ty_to_string(typ),
247                     parent: None,
248                     children: vec![],
249                     decl_id: None,
250                     docs: self.docs_for_attrs(&item.attrs),
251                     sig: sig::item_signature(item, self),
252                     attributes: lower_attributes(item.attrs.clone(), self),
253                 }))
254             }
255             ast::ItemKind::Mod(ref m) => {
256                 let qualname = format!(
257                     "::{}",
258                     self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
259                 );
260
261                 let cm = self.tcx.sess.source_map();
262                 let filename = cm.span_to_filename(m.inner);
263
264                 filter!(self.span_utils, item.ident.span);
265
266                 Some(Data::DefData(Def {
267                     kind: DefKind::Mod,
268                     id: id_from_node_id(item.id, self),
269                     name: item.ident.to_string(),
270                     qualname,
271                     span: self.span_from_span(item.ident.span),
272                     value: filename.to_string(),
273                     parent: None,
274                     children: m.items.iter().map(|i| id_from_node_id(i.id, self)).collect(),
275                     decl_id: None,
276                     docs: self.docs_for_attrs(&item.attrs),
277                     sig: sig::item_signature(item, self),
278                     attributes: lower_attributes(item.attrs.clone(), self),
279                 }))
280             }
281             ast::ItemKind::Enum(ref def, _) => {
282                 let name = item.ident.to_string();
283                 let qualname = format!(
284                     "::{}",
285                     self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(item.id))
286                 );
287                 filter!(self.span_utils, item.ident.span);
288                 let variants_str =
289                     def.variants.iter().map(|v| v.ident.to_string()).collect::<Vec<_>>().join(", ");
290                 let value = format!("{}::{{{}}}", name, variants_str);
291                 Some(Data::DefData(Def {
292                     kind: DefKind::Enum,
293                     id: id_from_node_id(item.id, self),
294                     span: self.span_from_span(item.ident.span),
295                     name,
296                     qualname,
297                     value,
298                     parent: None,
299                     children: def.variants.iter().map(|v| id_from_node_id(v.id, self)).collect(),
300                     decl_id: None,
301                     docs: self.docs_for_attrs(&item.attrs),
302                     sig: sig::item_signature(item, self),
303                     attributes: lower_attributes(item.attrs.clone(), self),
304                 }))
305             }
306             ast::ItemKind::Impl { ref of_trait, ref self_ty, ref items, .. } => {
307                 if let ast::TyKind::Path(None, ref path) = self_ty.kind {
308                     // Common case impl for a struct or something basic.
309                     if generated_code(path.span) {
310                         return None;
311                     }
312                     let sub_span = path.segments.last().unwrap().ident.span;
313                     filter!(self.span_utils, sub_span);
314
315                     let impl_id = self.next_impl_id();
316                     let span = self.span_from_span(sub_span);
317
318                     let type_data = self.lookup_def_id(self_ty.id);
319                     type_data.map(|type_data| {
320                         Data::RelationData(
321                             Relation {
322                                 kind: RelationKind::Impl { id: impl_id },
323                                 span: span.clone(),
324                                 from: id_from_def_id(type_data),
325                                 to: of_trait
326                                     .as_ref()
327                                     .and_then(|t| self.lookup_def_id(t.ref_id))
328                                     .map(id_from_def_id)
329                                     .unwrap_or_else(|| null_id()),
330                             },
331                             Impl {
332                                 id: impl_id,
333                                 kind: match *of_trait {
334                                     Some(_) => ImplKind::Direct,
335                                     None => ImplKind::Inherent,
336                                 },
337                                 span: span,
338                                 value: String::new(),
339                                 parent: None,
340                                 children: items
341                                     .iter()
342                                     .map(|i| id_from_node_id(i.id, self))
343                                     .collect(),
344                                 docs: String::new(),
345                                 sig: None,
346                                 attributes: vec![],
347                             },
348                         )
349                     })
350                 } else {
351                     None
352                 }
353             }
354             _ => {
355                 // FIXME
356                 bug!();
357             }
358         }
359     }
360
361     pub fn get_field_data(&self, field: &ast::StructField, scope: NodeId) -> Option<Def> {
362         if let Some(ident) = field.ident {
363             let name = ident.to_string();
364             let qualname = format!(
365                 "::{}::{}",
366                 self.tcx.def_path_str(self.tcx.hir().local_def_id_from_node_id(scope)),
367                 ident
368             );
369             filter!(self.span_utils, ident.span);
370             let def_id = self.tcx.hir().local_def_id_from_node_id(field.id);
371             let typ = self.tcx.type_of(def_id).to_string();
372
373             let id = id_from_node_id(field.id, self);
374             let span = self.span_from_span(ident.span);
375
376             Some(Def {
377                 kind: DefKind::Field,
378                 id,
379                 span,
380                 name,
381                 qualname,
382                 value: typ,
383                 parent: Some(id_from_node_id(scope, self)),
384                 children: vec![],
385                 decl_id: None,
386                 docs: self.docs_for_attrs(&field.attrs),
387                 sig: sig::field_signature(field, self),
388                 attributes: lower_attributes(field.attrs.clone(), self),
389             })
390         } else {
391             None
392         }
393     }
394
395     // FIXME would be nice to take a MethodItem here, but the ast provides both
396     // trait and impl flavours, so the caller must do the disassembly.
397     pub fn get_method_data(&self, id: ast::NodeId, ident: ast::Ident, span: Span) -> Option<Def> {
398         // The qualname for a method is the trait name or name of the struct in an impl in
399         // which the method is declared in, followed by the method's name.
400         let (qualname, parent_scope, decl_id, docs, attributes) = match self
401             .tcx
402             .impl_of_method(self.tcx.hir().local_def_id_from_node_id(id))
403         {
404             Some(impl_id) => match self.tcx.hir().get_if_local(impl_id) {
405                 Some(Node::Item(item)) => match item.kind {
406                     hir::ItemKind::Impl { ref self_ty, .. } => {
407                         let mut qualname = String::from("<");
408                         qualname.push_str(&self.tcx.hir().hir_to_pretty_string(self_ty.hir_id));
409
410                         let trait_id = self.tcx.trait_id_of_impl(impl_id);
411                         let mut decl_id = None;
412                         let mut docs = String::new();
413                         let mut attrs = vec![];
414                         let hir_id = self.tcx.hir().node_to_hir_id(id);
415                         if let Some(Node::ImplItem(item)) = self.tcx.hir().find(hir_id) {
416                             docs = self.docs_for_attrs(&item.attrs);
417                             attrs = item.attrs.to_vec();
418                         }
419
420                         if let Some(def_id) = trait_id {
421                             // A method in a trait impl.
422                             qualname.push_str(" as ");
423                             qualname.push_str(&self.tcx.def_path_str(def_id));
424                             self.tcx
425                                 .associated_items(def_id)
426                                 .find(|item| item.ident.name == ident.name)
427                                 .map(|item| decl_id = Some(item.def_id));
428                         }
429                         qualname.push_str(">");
430
431                         (qualname, trait_id, decl_id, docs, attrs)
432                     }
433                     _ => {
434                         span_bug!(span, "Container {:?} for method {} not an impl?", impl_id, id);
435                     }
436                 },
437                 r => {
438                     span_bug!(
439                         span,
440                         "Container {:?} for method {} is not a node item {:?}",
441                         impl_id,
442                         id,
443                         r
444                     );
445                 }
446             },
447             None => match self.tcx.trait_of_item(self.tcx.hir().local_def_id_from_node_id(id)) {
448                 Some(def_id) => {
449                     let mut docs = String::new();
450                     let mut attrs = vec![];
451                     let hir_id = self.tcx.hir().node_to_hir_id(id);
452
453                     if let Some(Node::TraitItem(item)) = self.tcx.hir().find(hir_id) {
454                         docs = self.docs_for_attrs(&item.attrs);
455                         attrs = item.attrs.to_vec();
456                     }
457
458                     (
459                         format!("::{}", self.tcx.def_path_str(def_id)),
460                         Some(def_id),
461                         None,
462                         docs,
463                         attrs,
464                     )
465                 }
466                 None => {
467                     debug!("could not find container for method {} at {:?}", id, span);
468                     // This is not necessarily a bug, if there was a compilation error,
469                     // the tables we need might not exist.
470                     return None;
471                 }
472             },
473         };
474
475         let qualname = format!("{}::{}", qualname, ident.name);
476
477         filter!(self.span_utils, ident.span);
478
479         Some(Def {
480             kind: DefKind::Method,
481             id: id_from_node_id(id, self),
482             span: self.span_from_span(ident.span),
483             name: ident.name.to_string(),
484             qualname,
485             // FIXME you get better data here by using the visitor.
486             value: String::new(),
487             parent: parent_scope.map(|id| id_from_def_id(id)),
488             children: vec![],
489             decl_id: decl_id.map(|id| id_from_def_id(id)),
490             docs,
491             sig: None,
492             attributes: lower_attributes(attributes, self),
493         })
494     }
495
496     pub fn get_trait_ref_data(&self, trait_ref: &ast::TraitRef) -> Option<Ref> {
497         self.lookup_def_id(trait_ref.ref_id).and_then(|def_id| {
498             let span = trait_ref.path.span;
499             if generated_code(span) {
500                 return None;
501             }
502             let sub_span = trait_ref.path.segments.last().unwrap().ident.span;
503             filter!(self.span_utils, sub_span);
504             let span = self.span_from_span(sub_span);
505             Some(Ref { kind: RefKind::Type, span, ref_id: id_from_def_id(def_id) })
506         })
507     }
508
509     pub fn get_expr_data(&self, expr: &ast::Expr) -> Option<Data> {
510         let expr_hir_id = self.tcx.hir().node_to_hir_id(expr.id);
511         let hir_node = self.tcx.hir().expect_expr(expr_hir_id);
512         let ty = self.tables.expr_ty_adjusted_opt(&hir_node);
513         if ty.is_none() || ty.unwrap().kind == ty::Error {
514             return None;
515         }
516         match expr.kind {
517             ast::ExprKind::Field(ref sub_ex, ident) => {
518                 let sub_ex_hir_id = self.tcx.hir().node_to_hir_id(sub_ex.id);
519                 let hir_node = match self.tcx.hir().find(sub_ex_hir_id) {
520                     Some(Node::Expr(expr)) => expr,
521                     _ => {
522                         debug!(
523                             "Missing or weird node for sub-expression {} in {:?}",
524                             sub_ex.id, expr
525                         );
526                         return None;
527                     }
528                 };
529                 match self.tables.expr_ty_adjusted(&hir_node).kind {
530                     ty::Adt(def, _) if !def.is_enum() => {
531                         let variant = &def.non_enum_variant();
532                         let index = self.tcx.find_field_index(ident, variant).unwrap();
533                         filter!(self.span_utils, ident.span);
534                         let span = self.span_from_span(ident.span);
535                         return Some(Data::RefData(Ref {
536                             kind: RefKind::Variable,
537                             span,
538                             ref_id: id_from_def_id(variant.fields[index].did),
539                         }));
540                     }
541                     ty::Tuple(..) => None,
542                     _ => {
543                         debug!("expected struct or union type, found {:?}", ty);
544                         None
545                     }
546                 }
547             }
548             ast::ExprKind::Struct(ref path, ..) => {
549                 match self.tables.expr_ty_adjusted(&hir_node).kind {
550                     ty::Adt(def, _) if !def.is_enum() => {
551                         let sub_span = path.segments.last().unwrap().ident.span;
552                         filter!(self.span_utils, sub_span);
553                         let span = self.span_from_span(sub_span);
554                         Some(Data::RefData(Ref {
555                             kind: RefKind::Type,
556                             span,
557                             ref_id: id_from_def_id(def.did),
558                         }))
559                     }
560                     _ => {
561                         // FIXME ty could legitimately be an enum, but then we will fail
562                         // later if we try to look up the fields.
563                         debug!("expected struct or union, found {:?}", ty);
564                         None
565                     }
566                 }
567             }
568             ast::ExprKind::MethodCall(ref seg, ..) => {
569                 let expr_hir_id = self.tcx.hir().definitions().node_to_hir_id(expr.id);
570                 let method_id = match self.tables.type_dependent_def_id(expr_hir_id) {
571                     Some(id) => id,
572                     None => {
573                         debug!("could not resolve method id for {:?}", expr);
574                         return None;
575                     }
576                 };
577                 let (def_id, decl_id) = match self.tcx.associated_item(method_id).container {
578                     ty::ImplContainer(_) => (Some(method_id), None),
579                     ty::TraitContainer(_) => (None, Some(method_id)),
580                 };
581                 let sub_span = seg.ident.span;
582                 filter!(self.span_utils, sub_span);
583                 let span = self.span_from_span(sub_span);
584                 Some(Data::RefData(Ref {
585                     kind: RefKind::Function,
586                     span,
587                     ref_id: def_id
588                         .or(decl_id)
589                         .map(|id| id_from_def_id(id))
590                         .unwrap_or_else(|| null_id()),
591                 }))
592             }
593             ast::ExprKind::Path(_, ref path) => {
594                 self.get_path_data(expr.id, path).map(|d| Data::RefData(d))
595             }
596             _ => {
597                 // FIXME
598                 bug!();
599             }
600         }
601     }
602
603     pub fn get_path_res(&self, id: NodeId) -> Res {
604         let hir_id = self.tcx.hir().node_to_hir_id(id);
605         match self.tcx.hir().get(hir_id) {
606             Node::TraitRef(tr) => tr.path.res,
607
608             Node::Item(&hir::Item { kind: hir::ItemKind::Use(path, _), .. }) => path.res,
609             Node::Visibility(&Spanned {
610                 node: hir::VisibilityKind::Restricted { ref path, .. },
611                 ..
612             }) => path.res,
613
614             Node::PathSegment(seg) => match seg.res {
615                 Some(res) if res != Res::Err => res,
616                 _ => {
617                     let parent_node = self.tcx.hir().get_parent_node(hir_id);
618                     self.get_path_res(self.tcx.hir().hir_to_node_id(parent_node))
619                 }
620             },
621
622             Node::Expr(&hir::Expr { kind: hir::ExprKind::Struct(ref qpath, ..), .. }) => {
623                 self.tables.qpath_res(qpath, hir_id)
624             }
625
626             Node::Expr(&hir::Expr { kind: hir::ExprKind::Path(ref qpath), .. })
627             | Node::Pat(&hir::Pat { kind: hir::PatKind::Path(ref qpath), .. })
628             | Node::Pat(&hir::Pat { kind: hir::PatKind::Struct(ref qpath, ..), .. })
629             | Node::Pat(&hir::Pat { kind: hir::PatKind::TupleStruct(ref qpath, ..), .. })
630             | Node::Ty(&hir::Ty { kind: hir::TyKind::Path(ref qpath), .. }) => {
631                 self.tables.qpath_res(qpath, hir_id)
632             }
633
634             Node::Binding(&hir::Pat {
635                 kind: hir::PatKind::Binding(_, canonical_id, ..), ..
636             }) => Res::Local(canonical_id),
637
638             _ => Res::Err,
639         }
640     }
641
642     pub fn get_path_data(&self, id: NodeId, path: &ast::Path) -> Option<Ref> {
643         path.segments.last().and_then(|seg| {
644             self.get_path_segment_data(seg).or_else(|| self.get_path_segment_data_with_id(seg, id))
645         })
646     }
647
648     pub fn get_path_segment_data(&self, path_seg: &ast::PathSegment) -> Option<Ref> {
649         self.get_path_segment_data_with_id(path_seg, path_seg.id)
650     }
651
652     fn get_path_segment_data_with_id(
653         &self,
654         path_seg: &ast::PathSegment,
655         id: NodeId,
656     ) -> Option<Ref> {
657         // Returns true if the path is function type sugar, e.g., `Fn(A) -> B`.
658         fn fn_type(seg: &ast::PathSegment) -> bool {
659             if let Some(ref generic_args) = seg.args {
660                 if let ast::GenericArgs::Parenthesized(_) = **generic_args {
661                     return true;
662                 }
663             }
664             false
665         }
666
667         if id == DUMMY_NODE_ID {
668             return None;
669         }
670
671         let res = self.get_path_res(id);
672         let span = path_seg.ident.span;
673         filter!(self.span_utils, span);
674         let span = self.span_from_span(span);
675
676         match res {
677             Res::Local(id) => Some(Ref {
678                 kind: RefKind::Variable,
679                 span,
680                 ref_id: id_from_node_id(self.tcx.hir().hir_to_node_id(id), self),
681             }),
682             Res::Def(HirDefKind::Trait, def_id) if fn_type(path_seg) => {
683                 Some(Ref { kind: RefKind::Type, span, ref_id: id_from_def_id(def_id) })
684             }
685             Res::Def(HirDefKind::Struct, def_id)
686             | Res::Def(HirDefKind::Variant, def_id)
687             | Res::Def(HirDefKind::Union, def_id)
688             | Res::Def(HirDefKind::Enum, def_id)
689             | Res::Def(HirDefKind::TyAlias, def_id)
690             | Res::Def(HirDefKind::ForeignTy, def_id)
691             | Res::Def(HirDefKind::TraitAlias, def_id)
692             | Res::Def(HirDefKind::AssocOpaqueTy, def_id)
693             | Res::Def(HirDefKind::AssocTy, def_id)
694             | Res::Def(HirDefKind::Trait, def_id)
695             | Res::Def(HirDefKind::OpaqueTy, def_id)
696             | Res::Def(HirDefKind::TyParam, def_id) => {
697                 Some(Ref { kind: RefKind::Type, span, ref_id: id_from_def_id(def_id) })
698             }
699             Res::Def(HirDefKind::ConstParam, def_id) => {
700                 Some(Ref { kind: RefKind::Variable, span, ref_id: id_from_def_id(def_id) })
701             }
702             Res::Def(HirDefKind::Ctor(CtorOf::Struct, ..), def_id) => {
703                 // This is a reference to a tuple struct where the def_id points
704                 // to an invisible constructor function. That is not a very useful
705                 // def, so adjust to point to the tuple struct itself.
706                 let parent_def_id = self.tcx.parent(def_id).unwrap();
707                 Some(Ref { kind: RefKind::Type, span, ref_id: id_from_def_id(parent_def_id) })
708             }
709             Res::Def(HirDefKind::Static, _)
710             | Res::Def(HirDefKind::Const, _)
711             | Res::Def(HirDefKind::AssocConst, _)
712             | Res::Def(HirDefKind::Ctor(..), _) => {
713                 Some(Ref { kind: RefKind::Variable, span, ref_id: id_from_def_id(res.def_id()) })
714             }
715             Res::Def(HirDefKind::Method, decl_id) => {
716                 let def_id = if decl_id.is_local() {
717                     let ti = self.tcx.associated_item(decl_id);
718                     self.tcx
719                         .associated_items(ti.container.id())
720                         .find(|item| {
721                             item.ident.name == ti.ident.name && item.defaultness.has_value()
722                         })
723                         .map(|item| item.def_id)
724                 } else {
725                     None
726                 };
727                 Some(Ref {
728                     kind: RefKind::Function,
729                     span,
730                     ref_id: id_from_def_id(def_id.unwrap_or(decl_id)),
731                 })
732             }
733             Res::Def(HirDefKind::Fn, def_id) => {
734                 Some(Ref { kind: RefKind::Function, span, ref_id: id_from_def_id(def_id) })
735             }
736             Res::Def(HirDefKind::Mod, def_id) => {
737                 Some(Ref { kind: RefKind::Mod, span, ref_id: id_from_def_id(def_id) })
738             }
739             Res::PrimTy(..)
740             | Res::SelfTy(..)
741             | Res::Def(HirDefKind::Macro(..), _)
742             | Res::ToolMod
743             | Res::NonMacroAttr(..)
744             | Res::SelfCtor(..)
745             | Res::Err => None,
746         }
747     }
748
749     pub fn get_field_ref_data(
750         &self,
751         field_ref: &ast::Field,
752         variant: &ty::VariantDef,
753     ) -> Option<Ref> {
754         filter!(self.span_utils, field_ref.ident.span);
755         self.tcx.find_field_index(field_ref.ident, variant).map(|index| {
756             let span = self.span_from_span(field_ref.ident.span);
757             Ref { kind: RefKind::Variable, span, ref_id: id_from_def_id(variant.fields[index].did) }
758         })
759     }
760
761     /// Attempt to return MacroRef for any AST node.
762     ///
763     /// For a given piece of AST defined by the supplied Span and NodeId,
764     /// returns `None` if the node is not macro-generated or the span is malformed,
765     /// else uses the expansion callsite and callee to return some MacroRef.
766     pub fn get_macro_use_data(&self, span: Span) -> Option<MacroRef> {
767         if !generated_code(span) {
768             return None;
769         }
770         // Note we take care to use the source callsite/callee, to handle
771         // nested expansions and ensure we only generate data for source-visible
772         // macro uses.
773         let callsite = span.source_callsite();
774         let callsite_span = self.span_from_span(callsite);
775         let callee = span.source_callee()?;
776
777         let mac_name = match callee.kind {
778             ExpnKind::Macro(mac_kind, name) => match mac_kind {
779                 MacroKind::Bang => name,
780
781                 // Ignore attribute macros, their spans are usually mangled
782                 // FIXME(eddyb) is this really the case anymore?
783                 MacroKind::Attr | MacroKind::Derive => return None,
784             },
785
786             // These are not macros.
787             // FIXME(eddyb) maybe there is a way to handle them usefully?
788             ExpnKind::Root | ExpnKind::AstPass(_) | ExpnKind::Desugaring(_) => return None,
789         };
790
791         // If the callee is an imported macro from an external crate, need to get
792         // the source span and name from the session, as their spans are localized
793         // when read in, and no longer correspond to the source.
794         if let Some(mac) = self.tcx.sess.imported_macro_spans.borrow().get(&callee.def_site) {
795             let &(ref mac_name, mac_span) = mac;
796             let mac_span = self.span_from_span(mac_span);
797             return Some(MacroRef {
798                 span: callsite_span,
799                 qualname: mac_name.clone(), // FIXME: generate the real qualname
800                 callee_span: mac_span,
801             });
802         }
803
804         let callee_span = self.span_from_span(callee.def_site);
805         Some(MacroRef {
806             span: callsite_span,
807             qualname: mac_name.to_string(), // FIXME: generate the real qualname
808             callee_span,
809         })
810     }
811
812     fn lookup_def_id(&self, ref_id: NodeId) -> Option<DefId> {
813         match self.get_path_res(ref_id) {
814             Res::PrimTy(_) | Res::SelfTy(..) | Res::Err => None,
815             def => Some(def.def_id()),
816         }
817     }
818
819     fn docs_for_attrs(&self, attrs: &[Attribute]) -> String {
820         let mut result = String::new();
821
822         for attr in attrs {
823             if let Some(val) = attr.doc_str() {
824                 if attr.is_doc_comment() {
825                     result.push_str(&strip_doc_comment_decoration(&val.as_str()));
826                 } else {
827                     result.push_str(&val.as_str());
828                 }
829                 result.push('\n');
830             } else if attr.check_name(sym::doc) {
831                 if let Some(meta_list) = attr.meta_item_list() {
832                     meta_list
833                         .into_iter()
834                         .filter(|it| it.check_name(sym::include))
835                         .filter_map(|it| it.meta_item_list().map(|l| l.to_owned()))
836                         .flat_map(|it| it)
837                         .filter(|meta| meta.check_name(sym::contents))
838                         .filter_map(|meta| meta.value_str())
839                         .for_each(|val| {
840                             result.push_str(&val.as_str());
841                             result.push('\n');
842                         });
843                 }
844             }
845         }
846
847         if !self.config.full_docs {
848             if let Some(index) = result.find("\n\n") {
849                 result.truncate(index);
850             }
851         }
852
853         result
854     }
855
856     fn next_impl_id(&self) -> u32 {
857         let next = self.impl_counter.get();
858         self.impl_counter.set(next + 1);
859         next
860     }
861 }
862
863 fn make_signature(decl: &ast::FnDecl, generics: &ast::Generics) -> String {
864     let mut sig = "fn ".to_owned();
865     if !generics.params.is_empty() {
866         sig.push('<');
867         sig.push_str(
868             &generics
869                 .params
870                 .iter()
871                 .map(|param| param.ident.to_string())
872                 .collect::<Vec<_>>()
873                 .join(", "),
874         );
875         sig.push_str("> ");
876     }
877     sig.push('(');
878     sig.push_str(&decl.inputs.iter().map(param_to_string).collect::<Vec<_>>().join(", "));
879     sig.push(')');
880     match decl.output {
881         ast::FunctionRetTy::Default(_) => sig.push_str(" -> ()"),
882         ast::FunctionRetTy::Ty(ref t) => sig.push_str(&format!(" -> {}", ty_to_string(t))),
883     }
884
885     sig
886 }
887
888 // An AST visitor for collecting paths (e.g., the names of structs) and formal
889 // variables (idents) from patterns.
890 struct PathCollector<'l> {
891     collected_paths: Vec<(NodeId, &'l ast::Path)>,
892     collected_idents: Vec<(NodeId, ast::Ident, ast::Mutability)>,
893 }
894
895 impl<'l> PathCollector<'l> {
896     fn new() -> PathCollector<'l> {
897         PathCollector { collected_paths: vec![], collected_idents: vec![] }
898     }
899 }
900
901 impl<'l> Visitor<'l> for PathCollector<'l> {
902     fn visit_pat(&mut self, p: &'l ast::Pat) {
903         match p.kind {
904             PatKind::Struct(ref path, ..) => {
905                 self.collected_paths.push((p.id, path));
906             }
907             PatKind::TupleStruct(ref path, ..) | PatKind::Path(_, ref path) => {
908                 self.collected_paths.push((p.id, path));
909             }
910             PatKind::Ident(bm, ident, _) => {
911                 debug!(
912                     "PathCollector, visit ident in pat {}: {:?} {:?}",
913                     ident, p.span, ident.span
914                 );
915                 let immut = match bm {
916                     // Even if the ref is mut, you can't change the ref, only
917                     // the data pointed at, so showing the initialising expression
918                     // is still worthwhile.
919                     ast::BindingMode::ByRef(_) => ast::Mutability::Not,
920                     ast::BindingMode::ByValue(mt) => mt,
921                 };
922                 self.collected_idents.push((p.id, ident, immut));
923             }
924             _ => {}
925         }
926         visit::walk_pat(self, p);
927     }
928 }
929
930 /// Defines what to do with the results of saving the analysis.
931 pub trait SaveHandler {
932     fn save(&mut self, save_ctxt: &SaveContext<'_, '_>, analysis: &Analysis);
933 }
934
935 /// Dump the save-analysis results to a file.
936 pub struct DumpHandler<'a> {
937     odir: Option<&'a Path>,
938     cratename: String,
939 }
940
941 impl<'a> DumpHandler<'a> {
942     pub fn new(odir: Option<&'a Path>, cratename: &str) -> DumpHandler<'a> {
943         DumpHandler { odir, cratename: cratename.to_owned() }
944     }
945
946     fn output_file(&self, ctx: &SaveContext<'_, '_>) -> (BufWriter<File>, PathBuf) {
947         let sess = &ctx.tcx.sess;
948         let file_name = match ctx.config.output_file {
949             Some(ref s) => PathBuf::from(s),
950             None => {
951                 let mut root_path = match self.odir {
952                     Some(val) => val.join("save-analysis"),
953                     None => PathBuf::from("save-analysis-temp"),
954                 };
955
956                 if let Err(e) = std::fs::create_dir_all(&root_path) {
957                     error!("Could not create directory {}: {}", root_path.display(), e);
958                 }
959
960                 let executable =
961                     sess.crate_types.borrow().iter().any(|ct| *ct == CrateType::Executable);
962                 let mut out_name = if executable { String::new() } else { "lib".to_owned() };
963                 out_name.push_str(&self.cratename);
964                 out_name.push_str(&sess.opts.cg.extra_filename);
965                 out_name.push_str(".json");
966                 root_path.push(&out_name);
967
968                 root_path
969             }
970         };
971
972         info!("Writing output to {}", file_name.display());
973
974         let output_file = BufWriter::new(File::create(&file_name).unwrap_or_else(|e| {
975             sess.fatal(&format!("Could not open {}: {}", file_name.display(), e))
976         }));
977
978         (output_file, file_name)
979     }
980 }
981
982 impl SaveHandler for DumpHandler<'_> {
983     fn save(&mut self, save_ctxt: &SaveContext<'_, '_>, analysis: &Analysis) {
984         let sess = &save_ctxt.tcx.sess;
985         let (output, file_name) = self.output_file(&save_ctxt);
986         if let Err(e) = serde_json::to_writer(output, &analysis) {
987             error!("Can't serialize save-analysis: {:?}", e);
988         }
989
990         if sess.opts.json_artifact_notifications {
991             sess.parse_sess.span_diagnostic.emit_artifact_notification(&file_name, "save-analysis");
992         }
993     }
994 }
995
996 /// Call a callback with the results of save-analysis.
997 pub struct CallbackHandler<'b> {
998     pub callback: &'b mut dyn FnMut(&rls_data::Analysis),
999 }
1000
1001 impl SaveHandler for CallbackHandler<'_> {
1002     fn save(&mut self, _: &SaveContext<'_, '_>, analysis: &Analysis) {
1003         (self.callback)(analysis)
1004     }
1005 }
1006
1007 pub fn process_crate<'l, 'tcx, H: SaveHandler>(
1008     tcx: TyCtxt<'tcx>,
1009     krate: &ast::Crate,
1010     cratename: &str,
1011     input: &'l Input,
1012     config: Option<Config>,
1013     mut handler: H,
1014 ) {
1015     tcx.dep_graph.with_ignore(|| {
1016         info!("Dumping crate {}", cratename);
1017
1018         // Privacy checking requires and is done after type checking; use a
1019         // fallback in case the access levels couldn't have been correctly computed.
1020         let access_levels = match tcx.sess.compile_status() {
1021             Ok(..) => tcx.privacy_access_levels(LOCAL_CRATE),
1022             Err(..) => tcx.arena.alloc(AccessLevels::default()),
1023         };
1024
1025         let save_ctxt = SaveContext {
1026             tcx,
1027             tables: &ty::TypeckTables::empty(None),
1028             empty_tables: &ty::TypeckTables::empty(None),
1029             access_levels: &access_levels,
1030             span_utils: SpanUtils::new(&tcx.sess),
1031             config: find_config(config),
1032             impl_counter: Cell::new(0),
1033         };
1034
1035         let mut visitor = DumpVisitor::new(save_ctxt);
1036
1037         visitor.dump_crate_info(cratename, krate);
1038         visitor.dump_compilation_options(input, cratename);
1039         visit::walk_crate(&mut visitor, krate);
1040
1041         handler.save(&visitor.save_ctxt, &visitor.analysis())
1042     })
1043 }
1044
1045 fn find_config(supplied: Option<Config>) -> Config {
1046     if let Some(config) = supplied {
1047         return config;
1048     }
1049
1050     match env::var_os("RUST_SAVE_ANALYSIS_CONFIG") {
1051         None => Config::default(),
1052         Some(config) => config
1053             .to_str()
1054             .ok_or(())
1055             .map_err(|_| error!("`RUST_SAVE_ANALYSIS_CONFIG` isn't UTF-8"))
1056             .and_then(|cfg| {
1057                 serde_json::from_str(cfg)
1058                     .map_err(|_| error!("Could not deserialize save-analysis config"))
1059             })
1060             .unwrap_or_default(),
1061     }
1062 }
1063
1064 // Utility functions for the module.
1065
1066 // Helper function to escape quotes in a string
1067 fn escape(s: String) -> String {
1068     s.replace("\"", "\"\"")
1069 }
1070
1071 // Helper function to determine if a span came from a
1072 // macro expansion or syntax extension.
1073 fn generated_code(span: Span) -> bool {
1074     span.from_expansion() || span.is_dummy()
1075 }
1076
1077 // DefId::index is a newtype and so the JSON serialisation is ugly. Therefore
1078 // we use our own Id which is the same, but without the newtype.
1079 fn id_from_def_id(id: DefId) -> rls_data::Id {
1080     rls_data::Id { krate: id.krate.as_u32(), index: id.index.as_u32() }
1081 }
1082
1083 fn id_from_node_id(id: NodeId, scx: &SaveContext<'_, '_>) -> rls_data::Id {
1084     let def_id = scx.tcx.hir().opt_local_def_id_from_node_id(id);
1085     def_id.map(|id| id_from_def_id(id)).unwrap_or_else(|| {
1086         // Create a *fake* `DefId` out of a `NodeId` by subtracting the `NodeId`
1087         // out of the maximum u32 value. This will work unless you have *billions*
1088         // of definitions in a single crate (very unlikely to actually happen).
1089         rls_data::Id { krate: LOCAL_CRATE.as_u32(), index: !id.as_u32() }
1090     })
1091 }
1092
1093 fn null_id() -> rls_data::Id {
1094     rls_data::Id { krate: u32::max_value(), index: u32::max_value() }
1095 }
1096
1097 fn lower_attributes(attrs: Vec<Attribute>, scx: &SaveContext<'_, '_>) -> Vec<rls_data::Attribute> {
1098     attrs
1099         .into_iter()
1100         // Only retain real attributes. Doc comments are lowered separately.
1101         .filter(|attr| !attr.has_name(sym::doc))
1102         .map(|mut attr| {
1103             // Remove the surrounding '#[..]' or '#![..]' of the pretty printed
1104             // attribute. First normalize all inner attribute (#![..]) to outer
1105             // ones (#[..]), then remove the two leading and the one trailing character.
1106             attr.style = ast::AttrStyle::Outer;
1107             let value = pprust::attribute_to_string(&attr);
1108             // This str slicing works correctly, because the leading and trailing characters
1109             // are in the ASCII range and thus exactly one byte each.
1110             let value = value[2..value.len() - 1].to_string();
1111
1112             rls_data::Attribute { value, span: scx.span_from_span(attr.span) }
1113         })
1114         .collect()
1115 }