]> git.lizzy.rs Git - rust.git/blob - src/librustc/middle/stability.rs
Create new error code E0734 for stability attributes used outside of standard library
[rust.git] / src / librustc / middle / stability.rs
1 //! A pass that annotates every item and method with its stability level,
2 //! propagating default levels lexically from parent to children ast nodes.
3
4 pub use self::StabilityLevel::*;
5
6 use crate::lint::{self, Lint, in_derive_expansion};
7 use crate::lint::builtin::BuiltinLintDiagnostics;
8 use crate::hir::{self, Item, Generics, StructField, Variant, HirId};
9 use crate::hir::def::{Res, DefKind};
10 use crate::hir::def_id::{CrateNum, CRATE_DEF_INDEX, DefId, LOCAL_CRATE};
11 use crate::hir::intravisit::{self, Visitor, NestedVisitorMap};
12 use crate::ty::query::Providers;
13 use crate::middle::privacy::AccessLevels;
14 use crate::session::{DiagnosticMessageId, Session};
15 use errors::DiagnosticBuilder;
16 use syntax::symbol::{Symbol, sym};
17 use syntax_pos::{Span, MultiSpan};
18 use syntax::ast::{Attribute, CRATE_NODE_ID};
19 use syntax::errors::Applicability;
20 use syntax::feature_gate::{GateIssue, emit_feature_err};
21 use syntax::attr::{self, Stability, Deprecation, RustcDeprecation};
22 use crate::ty::{self, TyCtxt};
23 use crate::util::nodemap::{FxHashSet, FxHashMap};
24
25 use std::mem::replace;
26 use std::cmp::Ordering;
27
28 #[derive(RustcEncodable, RustcDecodable, PartialEq, PartialOrd, Clone, Copy, Debug, Eq, Hash)]
29 pub enum StabilityLevel {
30     Unstable,
31     Stable,
32 }
33
34 impl StabilityLevel {
35     pub fn from_attr_level(level: &attr::StabilityLevel) -> Self {
36         if level.is_stable() { Stable } else { Unstable }
37     }
38 }
39
40 #[derive(PartialEq)]
41 enum AnnotationKind {
42     // Annotation is required if not inherited from unstable parents
43     Required,
44     // Annotation is useless, reject it
45     Prohibited,
46     // Annotation itself is useless, but it can be propagated to children
47     Container,
48 }
49
50 /// An entry in the `depr_map`.
51 #[derive(Clone)]
52 pub struct DeprecationEntry {
53     /// The metadata of the attribute associated with this entry.
54     pub attr: Deprecation,
55     /// The `DefId` where the attr was originally attached. `None` for non-local
56     /// `DefId`'s.
57     origin: Option<HirId>,
58 }
59
60 impl_stable_hash_for!(struct self::DeprecationEntry {
61     attr,
62     origin
63 });
64
65 impl DeprecationEntry {
66     fn local(attr: Deprecation, id: HirId) -> DeprecationEntry {
67         DeprecationEntry {
68             attr,
69             origin: Some(id),
70         }
71     }
72
73     pub fn external(attr: Deprecation) -> DeprecationEntry {
74         DeprecationEntry {
75             attr,
76             origin: None,
77         }
78     }
79
80     pub fn same_origin(&self, other: &DeprecationEntry) -> bool {
81         match (self.origin, other.origin) {
82             (Some(o1), Some(o2)) => o1 == o2,
83             _ => false
84         }
85     }
86 }
87
88 /// A stability index, giving the stability level for items and methods.
89 pub struct Index<'tcx> {
90     /// This is mostly a cache, except the stabilities of local items
91     /// are filled by the annotator.
92     stab_map: FxHashMap<HirId, &'tcx Stability>,
93     depr_map: FxHashMap<HirId, DeprecationEntry>,
94
95     /// Maps for each crate whether it is part of the staged API.
96     staged_api: FxHashMap<CrateNum, bool>,
97
98     /// Features enabled for this crate.
99     active_features: FxHashSet<Symbol>,
100 }
101
102 impl_stable_hash_for!(struct self::Index<'tcx> {
103     stab_map,
104     depr_map,
105     staged_api,
106     active_features
107 });
108
109 // A private tree-walker for producing an Index.
110 struct Annotator<'a, 'tcx> {
111     tcx: TyCtxt<'tcx>,
112     index: &'a mut Index<'tcx>,
113     parent_stab: Option<&'tcx Stability>,
114     parent_depr: Option<DeprecationEntry>,
115     in_trait_impl: bool,
116 }
117
118 impl<'a, 'tcx> Annotator<'a, 'tcx> {
119     // Determine the stability for a node based on its attributes and inherited
120     // stability. The stability is recorded in the index and used as the parent.
121     fn annotate<F>(&mut self, hir_id: HirId, attrs: &[Attribute],
122                    item_sp: Span, kind: AnnotationKind, visit_children: F)
123         where F: FnOnce(&mut Self)
124     {
125         if self.tcx.features().staged_api {
126             // This crate explicitly wants staged API.
127             debug!("annotate(id = {:?}, attrs = {:?})", hir_id, attrs);
128             if let Some(..) = attr::find_deprecation(&self.tcx.sess.parse_sess, attrs, item_sp) {
129                 self.tcx.sess.span_err(item_sp, "`#[deprecated]` cannot be used in staged API; \
130                                                  use `#[rustc_deprecated]` instead");
131             }
132             if let Some(mut stab) = attr::find_stability(&self.tcx.sess.parse_sess,
133                                                          attrs, item_sp) {
134                 // Error if prohibited, or can't inherit anything from a container.
135                 if kind == AnnotationKind::Prohibited ||
136                    (kind == AnnotationKind::Container &&
137                     stab.level.is_stable() &&
138                     stab.rustc_depr.is_none()) {
139                     self.tcx.sess.span_err(item_sp, "This stability annotation is useless");
140                 }
141
142                 debug!("annotate: found {:?}", stab);
143                 // If parent is deprecated and we're not, inherit this by merging
144                 // deprecated_since and its reason.
145                 if let Some(parent_stab) = self.parent_stab {
146                     if parent_stab.rustc_depr.is_some() && stab.rustc_depr.is_none() {
147                         stab.rustc_depr = parent_stab.rustc_depr.clone()
148                     }
149                 }
150
151                 let stab = self.tcx.intern_stability(stab);
152
153                 // Check if deprecated_since < stable_since. If it is,
154                 // this is *almost surely* an accident.
155                 if let (&Some(attr::RustcDeprecation {since: dep_since, ..}),
156                         &attr::Stable {since: stab_since}) = (&stab.rustc_depr, &stab.level) {
157                     // Explicit version of iter::order::lt to handle parse errors properly
158                     for (dep_v, stab_v) in dep_since.as_str()
159                                                     .split('.')
160                                                     .zip(stab_since.as_str().split('.'))
161                     {
162                         if let (Ok(dep_v), Ok(stab_v)) = (dep_v.parse::<u64>(), stab_v.parse()) {
163                             match dep_v.cmp(&stab_v) {
164                                 Ordering::Less => {
165                                     self.tcx.sess.span_err(item_sp, "An API can't be stabilized \
166                                                                      after it is deprecated");
167                                     break
168                                 }
169                                 Ordering::Equal => continue,
170                                 Ordering::Greater => break,
171                             }
172                         } else {
173                             // Act like it isn't less because the question is now nonsensical,
174                             // and this makes us not do anything else interesting.
175                             self.tcx.sess.span_err(item_sp, "Invalid stability or deprecation \
176                                                              version found");
177                             break
178                         }
179                     }
180                 }
181
182                 self.index.stab_map.insert(hir_id, stab);
183
184                 let orig_parent_stab = replace(&mut self.parent_stab, Some(stab));
185                 visit_children(self);
186                 self.parent_stab = orig_parent_stab;
187             } else {
188                 debug!("annotate: not found, parent = {:?}", self.parent_stab);
189                 if let Some(stab) = self.parent_stab {
190                     if stab.level.is_unstable() {
191                         self.index.stab_map.insert(hir_id, stab);
192                     }
193                 }
194                 visit_children(self);
195             }
196         } else {
197             // Emit errors for non-staged-api crates.
198             for attr in attrs {
199                 let name = attr.name_or_empty();
200                 if [sym::unstable, sym::stable, sym::rustc_deprecated].contains(&name) {
201                     attr::mark_used(attr);
202                     struct_span_err!(
203                         self.tcx.sess,
204                         attr.span,
205                         E0734,
206                         "stability attributes may not be used outside of the standard library",
207                     ).emit();
208                 }
209             }
210
211             // Propagate unstability.  This can happen even for non-staged-api crates in case
212             // -Zforce-unstable-if-unmarked is set.
213             if let Some(stab) = self.parent_stab {
214                 if stab.level.is_unstable() {
215                     self.index.stab_map.insert(hir_id, stab);
216                 }
217             }
218
219             if let Some(depr) = attr::find_deprecation(&self.tcx.sess.parse_sess, attrs, item_sp) {
220                 if kind == AnnotationKind::Prohibited {
221                     self.tcx.sess.span_err(item_sp, "This deprecation annotation is useless");
222                 }
223
224                 // `Deprecation` is just two pointers, no need to intern it
225                 let depr_entry = DeprecationEntry::local(depr, hir_id);
226                 self.index.depr_map.insert(hir_id, depr_entry.clone());
227
228                 let orig_parent_depr = replace(&mut self.parent_depr,
229                                                Some(depr_entry));
230                 visit_children(self);
231                 self.parent_depr = orig_parent_depr;
232             } else if let Some(parent_depr) = self.parent_depr.clone() {
233                 self.index.depr_map.insert(hir_id, parent_depr);
234                 visit_children(self);
235             } else {
236                 visit_children(self);
237             }
238         }
239     }
240 }
241
242 impl<'a, 'tcx> Visitor<'tcx> for Annotator<'a, 'tcx> {
243     /// Because stability levels are scoped lexically, we want to walk
244     /// nested items in the context of the outer item, so enable
245     /// deep-walking.
246     fn nested_visit_map<'this>(&'this mut self) -> NestedVisitorMap<'this, 'tcx> {
247         NestedVisitorMap::All(&self.tcx.hir())
248     }
249
250     fn visit_item(&mut self, i: &'tcx Item) {
251         let orig_in_trait_impl = self.in_trait_impl;
252         let mut kind = AnnotationKind::Required;
253         match i.node {
254             // Inherent impls and foreign modules serve only as containers for other items,
255             // they don't have their own stability. They still can be annotated as unstable
256             // and propagate this unstability to children, but this annotation is completely
257             // optional. They inherit stability from their parents when unannotated.
258             hir::ItemKind::Impl(.., None, _, _) | hir::ItemKind::ForeignMod(..) => {
259                 self.in_trait_impl = false;
260                 kind = AnnotationKind::Container;
261             }
262             hir::ItemKind::Impl(.., Some(_), _, _) => {
263                 self.in_trait_impl = true;
264             }
265             hir::ItemKind::Struct(ref sd, _) => {
266                 if let Some(ctor_hir_id) = sd.ctor_hir_id() {
267                     self.annotate(ctor_hir_id, &i.attrs, i.span, AnnotationKind::Required, |_| {})
268                 }
269             }
270             _ => {}
271         }
272
273         self.annotate(i.hir_id, &i.attrs, i.span, kind, |v| {
274             intravisit::walk_item(v, i)
275         });
276         self.in_trait_impl = orig_in_trait_impl;
277     }
278
279     fn visit_trait_item(&mut self, ti: &'tcx hir::TraitItem) {
280         self.annotate(ti.hir_id, &ti.attrs, ti.span, AnnotationKind::Required, |v| {
281             intravisit::walk_trait_item(v, ti);
282         });
283     }
284
285     fn visit_impl_item(&mut self, ii: &'tcx hir::ImplItem) {
286         let kind = if self.in_trait_impl {
287             AnnotationKind::Prohibited
288         } else {
289             AnnotationKind::Required
290         };
291         self.annotate(ii.hir_id, &ii.attrs, ii.span, kind, |v| {
292             intravisit::walk_impl_item(v, ii);
293         });
294     }
295
296     fn visit_variant(&mut self, var: &'tcx Variant, g: &'tcx Generics, item_id: HirId) {
297         self.annotate(var.id, &var.attrs, var.span, AnnotationKind::Required,
298             |v| {
299                 if let Some(ctor_hir_id) = var.data.ctor_hir_id() {
300                     v.annotate(ctor_hir_id, &var.attrs, var.span, AnnotationKind::Required,
301                                |_| {});
302                 }
303
304                 intravisit::walk_variant(v, var, g, item_id)
305             })
306     }
307
308     fn visit_struct_field(&mut self, s: &'tcx StructField) {
309         self.annotate(s.hir_id, &s.attrs, s.span, AnnotationKind::Required, |v| {
310             intravisit::walk_struct_field(v, s);
311         });
312     }
313
314     fn visit_foreign_item(&mut self, i: &'tcx hir::ForeignItem) {
315         self.annotate(i.hir_id, &i.attrs, i.span, AnnotationKind::Required, |v| {
316             intravisit::walk_foreign_item(v, i);
317         });
318     }
319
320     fn visit_macro_def(&mut self, md: &'tcx hir::MacroDef) {
321         self.annotate(md.hir_id, &md.attrs, md.span, AnnotationKind::Required, |_| {});
322     }
323 }
324
325 struct MissingStabilityAnnotations<'a, 'tcx> {
326     tcx: TyCtxt<'tcx>,
327     access_levels: &'a AccessLevels,
328 }
329
330 impl<'a, 'tcx> MissingStabilityAnnotations<'a, 'tcx> {
331     fn check_missing_stability(&self, hir_id: HirId, span: Span, name: &str) {
332         let stab = self.tcx.stability().local_stability(hir_id);
333         let is_error = !self.tcx.sess.opts.test &&
334                         stab.is_none() &&
335                         self.access_levels.is_reachable(hir_id);
336         if is_error {
337             self.tcx.sess.span_err(
338                 span,
339                 &format!("{} has missing stability attribute", name),
340             );
341         }
342     }
343 }
344
345 impl<'a, 'tcx> Visitor<'tcx> for MissingStabilityAnnotations<'a, 'tcx> {
346     fn nested_visit_map<'this>(&'this mut self) -> NestedVisitorMap<'this, 'tcx> {
347         NestedVisitorMap::OnlyBodies(&self.tcx.hir())
348     }
349
350     fn visit_item(&mut self, i: &'tcx Item) {
351         match i.node {
352             // Inherent impls and foreign modules serve only as containers for other items,
353             // they don't have their own stability. They still can be annotated as unstable
354             // and propagate this unstability to children, but this annotation is completely
355             // optional. They inherit stability from their parents when unannotated.
356             hir::ItemKind::Impl(.., None, _, _) | hir::ItemKind::ForeignMod(..) => {}
357
358             _ => self.check_missing_stability(i.hir_id, i.span, i.node.descriptive_variant())
359         }
360
361         intravisit::walk_item(self, i)
362     }
363
364     fn visit_trait_item(&mut self, ti: &'tcx hir::TraitItem) {
365         self.check_missing_stability(ti.hir_id, ti.span, "item");
366         intravisit::walk_trait_item(self, ti);
367     }
368
369     fn visit_impl_item(&mut self, ii: &'tcx hir::ImplItem) {
370         let impl_def_id = self.tcx.hir().local_def_id(
371             self.tcx.hir().get_parent_item(ii.hir_id));
372         if self.tcx.impl_trait_ref(impl_def_id).is_none() {
373             self.check_missing_stability(ii.hir_id, ii.span, "item");
374         }
375         intravisit::walk_impl_item(self, ii);
376     }
377
378     fn visit_variant(&mut self, var: &'tcx Variant, g: &'tcx Generics, item_id: HirId) {
379         self.check_missing_stability(var.id, var.span, "variant");
380         intravisit::walk_variant(self, var, g, item_id);
381     }
382
383     fn visit_struct_field(&mut self, s: &'tcx StructField) {
384         self.check_missing_stability(s.hir_id, s.span, "field");
385         intravisit::walk_struct_field(self, s);
386     }
387
388     fn visit_foreign_item(&mut self, i: &'tcx hir::ForeignItem) {
389         self.check_missing_stability(i.hir_id, i.span, i.node.descriptive_variant());
390         intravisit::walk_foreign_item(self, i);
391     }
392
393     fn visit_macro_def(&mut self, md: &'tcx hir::MacroDef) {
394         self.check_missing_stability(md.hir_id, md.span, "macro");
395     }
396 }
397
398 impl<'tcx> Index<'tcx> {
399     pub fn new(tcx: TyCtxt<'tcx>) -> Index<'tcx> {
400         let is_staged_api =
401             tcx.sess.opts.debugging_opts.force_unstable_if_unmarked ||
402             tcx.features().staged_api;
403         let mut staged_api = FxHashMap::default();
404         staged_api.insert(LOCAL_CRATE, is_staged_api);
405         let mut index = Index {
406             staged_api,
407             stab_map: Default::default(),
408             depr_map: Default::default(),
409             active_features: Default::default(),
410         };
411
412         let active_lib_features = &tcx.features().declared_lib_features;
413         let active_lang_features = &tcx.features().declared_lang_features;
414
415         // Put the active features into a map for quick lookup.
416         index.active_features =
417             active_lib_features.iter().map(|&(ref s, ..)| s.clone())
418             .chain(active_lang_features.iter().map(|&(ref s, ..)| s.clone()))
419             .collect();
420
421         {
422             let krate = tcx.hir().krate();
423             let mut annotator = Annotator {
424                 tcx,
425                 index: &mut index,
426                 parent_stab: None,
427                 parent_depr: None,
428                 in_trait_impl: false,
429             };
430
431             // If the `-Z force-unstable-if-unmarked` flag is passed then we provide
432             // a parent stability annotation which indicates that this is private
433             // with the `rustc_private` feature. This is intended for use when
434             // compiling librustc crates themselves so we can leverage crates.io
435             // while maintaining the invariant that all sysroot crates are unstable
436             // by default and are unable to be used.
437             if tcx.sess.opts.debugging_opts.force_unstable_if_unmarked {
438                 let reason = "this crate is being loaded from the sysroot, an \
439                               unstable location; did you mean to load this crate \
440                               from crates.io via `Cargo.toml` instead?";
441                 let stability = tcx.intern_stability(Stability {
442                     level: attr::StabilityLevel::Unstable {
443                         reason: Some(Symbol::intern(reason)),
444                         issue: 27812,
445                         is_soft: false,
446                     },
447                     feature: sym::rustc_private,
448                     rustc_depr: None,
449                     const_stability: None,
450                     promotable: false,
451                     allow_const_fn_ptr: false,
452                 });
453                 annotator.parent_stab = Some(stability);
454             }
455
456             annotator.annotate(hir::CRATE_HIR_ID,
457                                &krate.attrs,
458                                krate.span,
459                                AnnotationKind::Required,
460                                |v| intravisit::walk_crate(v, krate));
461         }
462         return index;
463     }
464
465     pub fn local_stability(&self, id: HirId) -> Option<&'tcx Stability> {
466         self.stab_map.get(&id).cloned()
467     }
468
469     pub fn local_deprecation_entry(&self, id: HirId) -> Option<DeprecationEntry> {
470         self.depr_map.get(&id).cloned()
471     }
472 }
473
474 /// Cross-references the feature names of unstable APIs with enabled
475 /// features and possibly prints errors.
476 fn check_mod_unstable_api_usage(tcx: TyCtxt<'_>, module_def_id: DefId) {
477     tcx.hir().visit_item_likes_in_module(module_def_id, &mut Checker { tcx }.as_deep_visitor());
478 }
479
480 pub fn provide(providers: &mut Providers<'_>) {
481     *providers = Providers {
482         check_mod_unstable_api_usage,
483         ..*providers
484     };
485 }
486
487 pub fn report_unstable(
488     sess: &Session, feature: Symbol, reason: Option<Symbol>, issue: u32, is_soft: bool, span: Span
489 ) {
490     let msg = match reason {
491         Some(r) => format!("use of unstable library feature '{}': {}", feature, r),
492         None => format!("use of unstable library feature '{}'", &feature)
493     };
494
495     let msp: MultiSpan = span.into();
496     let cm = &sess.parse_sess.source_map();
497     let span_key = msp.primary_span().and_then(|sp: Span|
498         if !sp.is_dummy() {
499             let file = cm.lookup_char_pos(sp.lo()).file;
500             if file.name.is_macros() {
501                 None
502             } else {
503                 Some(span)
504             }
505         } else {
506             None
507         }
508     );
509
510     let error_id = (DiagnosticMessageId::StabilityId(issue), span_key, msg.clone());
511     let fresh = sess.one_time_diagnostics.borrow_mut().insert(error_id);
512     if fresh {
513         if is_soft {
514             sess.buffer_lint(lint::builtin::SOFT_UNSTABLE, CRATE_NODE_ID, span, &msg);
515         } else {
516             emit_feature_err(
517                 &sess.parse_sess, feature, span, GateIssue::Library(Some(issue)), &msg
518             );
519         }
520     }
521 }
522
523 /// Checks whether an item marked with `deprecated(since="X")` is currently
524 /// deprecated (i.e., whether X is not greater than the current rustc version).
525 pub fn deprecation_in_effect(since: &str) -> bool {
526     fn parse_version(ver: &str) -> Vec<u32> {
527         // We ignore non-integer components of the version (e.g., "nightly").
528         ver.split(|c| c == '.' || c == '-').flat_map(|s| s.parse()).collect()
529     }
530
531     if let Some(rustc) = option_env!("CFG_RELEASE") {
532         let since: Vec<u32> = parse_version(since);
533         let rustc: Vec<u32> = parse_version(rustc);
534         // We simply treat invalid `since` attributes as relating to a previous
535         // Rust version, thus always displaying the warning.
536         if since.len() != 3 {
537             return true;
538         }
539         since <= rustc
540     } else {
541         // By default, a deprecation warning applies to
542         // the current version of the compiler.
543         true
544     }
545 }
546
547 pub fn deprecation_suggestion(
548     diag: &mut DiagnosticBuilder<'_>, suggestion: Option<Symbol>, span: Span
549 ) {
550     if let Some(suggestion) = suggestion {
551         diag.span_suggestion(
552             span,
553             "replace the use of the deprecated item",
554             suggestion.to_string(),
555             Applicability::MachineApplicable,
556         );
557     }
558 }
559
560 fn deprecation_message_common(message: String, reason: Option<Symbol>) -> String {
561     match reason {
562         Some(reason) => format!("{}: {}", message, reason),
563         None => message,
564     }
565 }
566
567 pub fn deprecation_message(depr: &Deprecation, path: &str) -> (String, &'static Lint) {
568     let message = format!("use of deprecated item '{}'", path);
569     (deprecation_message_common(message, depr.note), lint::builtin::DEPRECATED)
570 }
571
572 pub fn rustc_deprecation_message(depr: &RustcDeprecation, path: &str) -> (String, &'static Lint) {
573     let (message, lint) = if deprecation_in_effect(&depr.since.as_str()) {
574         (format!("use of deprecated item '{}'", path), lint::builtin::DEPRECATED)
575     } else {
576         (format!("use of item '{}' that will be deprecated in future version {}", path, depr.since),
577          lint::builtin::DEPRECATED_IN_FUTURE)
578     };
579     (deprecation_message_common(message, Some(depr.reason)), lint)
580 }
581
582 pub fn early_report_deprecation(
583     sess: &Session,
584     message: &str,
585     suggestion: Option<Symbol>,
586     lint: &'static Lint,
587     span: Span,
588 ) {
589     if in_derive_expansion(span) {
590         return;
591     }
592
593     let diag = BuiltinLintDiagnostics::DeprecatedMacro(suggestion, span);
594     sess.buffer_lint_with_diagnostic(lint, CRATE_NODE_ID, span, message, diag);
595 }
596
597 fn late_report_deprecation(
598     tcx: TyCtxt<'_>,
599     message: &str,
600     suggestion: Option<Symbol>,
601     lint: &'static Lint,
602     span: Span,
603     def_id: DefId,
604     hir_id: HirId,
605 ) {
606     if in_derive_expansion(span) {
607         return;
608     }
609
610     let mut diag = tcx.struct_span_lint_hir(lint, hir_id, span, message);
611     if let hir::Node::Expr(_) = tcx.hir().get(hir_id) {
612         deprecation_suggestion(&mut diag, suggestion, span);
613     }
614     diag.emit();
615     if hir_id == hir::DUMMY_HIR_ID {
616         span_bug!(span, "emitted a {} lint with dummy HIR id: {:?}", lint.name, def_id);
617     }
618 }
619
620 struct Checker<'tcx> {
621     tcx: TyCtxt<'tcx>,
622 }
623
624 /// Result of `TyCtxt::eval_stability`.
625 pub enum EvalResult {
626     /// We can use the item because it is stable or we provided the
627     /// corresponding feature gate.
628     Allow,
629     /// We cannot use the item because it is unstable and we did not provide the
630     /// corresponding feature gate.
631     Deny {
632         feature: Symbol,
633         reason: Option<Symbol>,
634         issue: u32,
635         is_soft: bool,
636     },
637     /// The item does not have the `#[stable]` or `#[unstable]` marker assigned.
638     Unmarked,
639 }
640
641 impl<'tcx> TyCtxt<'tcx> {
642     // See issue #38412.
643     fn skip_stability_check_due_to_privacy(self, mut def_id: DefId) -> bool {
644         // Check if `def_id` is a trait method.
645         match self.def_kind(def_id) {
646             Some(DefKind::Method) |
647             Some(DefKind::AssocTy) |
648             Some(DefKind::AssocConst) => {
649                 if let ty::TraitContainer(trait_def_id) = self.associated_item(def_id).container {
650                     // Trait methods do not declare visibility (even
651                     // for visibility info in cstore). Use containing
652                     // trait instead, so methods of `pub` traits are
653                     // themselves considered `pub`.
654                     def_id = trait_def_id;
655                 }
656             }
657             _ => {}
658         }
659
660         let visibility = self.visibility(def_id);
661
662         match visibility {
663             // Must check stability for `pub` items.
664             ty::Visibility::Public => false,
665
666             // These are not visible outside crate; therefore
667             // stability markers are irrelevant, if even present.
668             ty::Visibility::Restricted(..) |
669             ty::Visibility::Invisible => true,
670         }
671     }
672
673     /// Evaluates the stability of an item.
674     ///
675     /// Returns `EvalResult::Allow` if the item is stable, or unstable but the corresponding
676     /// `#![feature]` has been provided. Returns `EvalResult::Deny` which describes the offending
677     /// unstable feature otherwise.
678     ///
679     /// If `id` is `Some(_)`, this function will also check if the item at `def_id` has been
680     /// deprecated. If the item is indeed deprecated, we will emit a deprecation lint attached to
681     /// `id`.
682     pub fn eval_stability(self, def_id: DefId, id: Option<HirId>, span: Span) -> EvalResult {
683         // Deprecated attributes apply in-crate and cross-crate.
684         if let Some(id) = id {
685             if let Some(depr_entry) = self.lookup_deprecation_entry(def_id) {
686                 let parent_def_id = self.hir().local_def_id(
687                     self.hir().get_parent_item(id));
688                 let skip = self.lookup_deprecation_entry(parent_def_id)
689                                .map_or(false, |parent_depr| parent_depr.same_origin(&depr_entry));
690
691                 if !skip {
692                     let (message, lint) =
693                         deprecation_message(&depr_entry.attr, &self.def_path_str(def_id));
694                     late_report_deprecation(self, &message, None, lint, span, def_id, id);
695                 }
696             };
697         }
698
699         let is_staged_api = self.lookup_stability(DefId {
700             index: CRATE_DEF_INDEX,
701             ..def_id
702         }).is_some();
703         if !is_staged_api {
704             return EvalResult::Allow;
705         }
706
707         let stability = self.lookup_stability(def_id);
708         debug!("stability: \
709                 inspecting def_id={:?} span={:?} of stability={:?}", def_id, span, stability);
710
711         if let Some(id) = id {
712             if let Some(stability) = stability {
713                 if let Some(depr) = &stability.rustc_depr {
714                     let (message, lint) =
715                         rustc_deprecation_message(depr, &self.def_path_str(def_id));
716                     late_report_deprecation(
717                         self, &message, depr.suggestion, lint, span, def_id, id
718                     );
719                 }
720             }
721         }
722
723         // Only the cross-crate scenario matters when checking unstable APIs
724         let cross_crate = !def_id.is_local();
725         if !cross_crate {
726             return EvalResult::Allow;
727         }
728
729         // Issue #38412: private items lack stability markers.
730         if self.skip_stability_check_due_to_privacy(def_id) {
731             return EvalResult::Allow;
732         }
733
734         match stability {
735             Some(&Stability {
736                 level: attr::Unstable { reason, issue, is_soft }, feature, ..
737             }) => {
738                 if span.allows_unstable(feature) {
739                     debug!("stability: skipping span={:?} since it is internal", span);
740                     return EvalResult::Allow;
741                 }
742                 if self.stability().active_features.contains(&feature) {
743                     return EvalResult::Allow;
744                 }
745
746                 // When we're compiling the compiler itself we may pull in
747                 // crates from crates.io, but those crates may depend on other
748                 // crates also pulled in from crates.io. We want to ideally be
749                 // able to compile everything without requiring upstream
750                 // modifications, so in the case that this looks like a
751                 // `rustc_private` crate (e.g., a compiler crate) and we also have
752                 // the `-Z force-unstable-if-unmarked` flag present (we're
753                 // compiling a compiler crate), then let this missing feature
754                 // annotation slide.
755                 if feature == sym::rustc_private && issue == 27812 {
756                     if self.sess.opts.debugging_opts.force_unstable_if_unmarked {
757                         return EvalResult::Allow;
758                     }
759                 }
760
761                 EvalResult::Deny { feature, reason, issue, is_soft }
762             }
763             Some(_) => {
764                 // Stable APIs are always ok to call and deprecated APIs are
765                 // handled by the lint emitting logic above.
766                 EvalResult::Allow
767             }
768             None => {
769                 EvalResult::Unmarked
770             }
771         }
772     }
773
774     /// Checks if an item is stable or error out.
775     ///
776     /// If the item defined by `def_id` is unstable and the corresponding `#![feature]` does not
777     /// exist, emits an error.
778     ///
779     /// Additionally, this function will also check if the item is deprecated. If so, and `id` is
780     /// not `None`, a deprecated lint attached to `id` will be emitted.
781     pub fn check_stability(self, def_id: DefId, id: Option<HirId>, span: Span) {
782         match self.eval_stability(def_id, id, span) {
783             EvalResult::Allow => {}
784             EvalResult::Deny { feature, reason, issue, is_soft } =>
785                 report_unstable(self.sess, feature, reason, issue, is_soft, span),
786             EvalResult::Unmarked => {
787                 // The API could be uncallable for other reasons, for example when a private module
788                 // was referenced.
789                 self.sess.delay_span_bug(span, &format!("encountered unmarked API: {:?}", def_id));
790             }
791         }
792     }
793 }
794
795 impl Visitor<'tcx> for Checker<'tcx> {
796     /// Because stability levels are scoped lexically, we want to walk
797     /// nested items in the context of the outer item, so enable
798     /// deep-walking.
799     fn nested_visit_map<'this>(&'this mut self) -> NestedVisitorMap<'this, 'tcx> {
800         NestedVisitorMap::OnlyBodies(&self.tcx.hir())
801     }
802
803     fn visit_item(&mut self, item: &'tcx hir::Item) {
804         match item.node {
805             hir::ItemKind::ExternCrate(_) => {
806                 // compiler-generated `extern crate` items have a dummy span.
807                 if item.span.is_dummy() { return }
808
809                 let def_id = self.tcx.hir().local_def_id(item.hir_id);
810                 let cnum = match self.tcx.extern_mod_stmt_cnum(def_id) {
811                     Some(cnum) => cnum,
812                     None => return,
813                 };
814                 let def_id = DefId { krate: cnum, index: CRATE_DEF_INDEX };
815                 self.tcx.check_stability(def_id, Some(item.hir_id), item.span);
816             }
817
818             // For implementations of traits, check the stability of each item
819             // individually as it's possible to have a stable trait with unstable
820             // items.
821             hir::ItemKind::Impl(.., Some(ref t), _, ref impl_item_refs) => {
822                 if let Res::Def(DefKind::Trait, trait_did) = t.path.res {
823                     for impl_item_ref in impl_item_refs {
824                         let impl_item = self.tcx.hir().impl_item(impl_item_ref.id);
825                         let trait_item_def_id = self.tcx.associated_items(trait_did)
826                             .find(|item| item.ident.name == impl_item.ident.name)
827                             .map(|item| item.def_id);
828                         if let Some(def_id) = trait_item_def_id {
829                             // Pass `None` to skip deprecation warnings.
830                             self.tcx.check_stability(def_id, None, impl_item.span);
831                         }
832                     }
833                 }
834             }
835
836             // There's no good place to insert stability check for non-Copy unions,
837             // so semi-randomly perform it here in stability.rs
838             hir::ItemKind::Union(..) if !self.tcx.features().untagged_unions => {
839                 let def_id = self.tcx.hir().local_def_id(item.hir_id);
840                 let adt_def = self.tcx.adt_def(def_id);
841                 let ty = self.tcx.type_of(def_id);
842
843                 if adt_def.has_dtor(self.tcx) {
844                     emit_feature_err(&self.tcx.sess.parse_sess,
845                                      sym::untagged_unions, item.span, GateIssue::Language,
846                                      "unions with `Drop` implementations are unstable");
847                 } else {
848                     let param_env = self.tcx.param_env(def_id);
849                     if !param_env.can_type_implement_copy(self.tcx, ty).is_ok() {
850                         emit_feature_err(&self.tcx.sess.parse_sess,
851                                          sym::untagged_unions, item.span, GateIssue::Language,
852                                          "unions with non-`Copy` fields are unstable");
853                     }
854                 }
855             }
856
857             _ => (/* pass */)
858         }
859         intravisit::walk_item(self, item);
860     }
861
862     fn visit_path(&mut self, path: &'tcx hir::Path, id: hir::HirId) {
863         if let Some(def_id) = path.res.opt_def_id() {
864             self.tcx.check_stability(def_id, Some(id), path.span)
865         }
866         intravisit::walk_path(self, path)
867     }
868 }
869
870 impl<'tcx> TyCtxt<'tcx> {
871     pub fn lookup_deprecation(self, id: DefId) -> Option<Deprecation> {
872         self.lookup_deprecation_entry(id).map(|depr| depr.attr)
873     }
874 }
875
876 /// Given the list of enabled features that were not language features (i.e., that
877 /// were expected to be library features), and the list of features used from
878 /// libraries, identify activated features that don't exist and error about them.
879 pub fn check_unused_or_stable_features(tcx: TyCtxt<'_>) {
880     let access_levels = &tcx.privacy_access_levels(LOCAL_CRATE);
881
882     if tcx.stability().staged_api[&LOCAL_CRATE] {
883         let krate = tcx.hir().krate();
884         let mut missing = MissingStabilityAnnotations {
885             tcx,
886             access_levels,
887         };
888         missing.check_missing_stability(hir::CRATE_HIR_ID, krate.span, "crate");
889         intravisit::walk_crate(&mut missing, krate);
890         krate.visit_all_item_likes(&mut missing.as_deep_visitor());
891     }
892
893     let declared_lang_features = &tcx.features().declared_lang_features;
894     let mut lang_features = FxHashSet::default();
895     for &(feature, span, since) in declared_lang_features {
896         if let Some(since) = since {
897             // Warn if the user has enabled an already-stable lang feature.
898             unnecessary_stable_feature_lint(tcx, span, feature, since);
899         }
900         if lang_features.contains(&feature) {
901             // Warn if the user enables a lang feature multiple times.
902             duplicate_feature_err(tcx.sess, span, feature);
903         }
904         lang_features.insert(feature);
905     }
906
907     let declared_lib_features = &tcx.features().declared_lib_features;
908     let mut remaining_lib_features = FxHashMap::default();
909     for (feature, span) in declared_lib_features {
910         if remaining_lib_features.contains_key(&feature) {
911             // Warn if the user enables a lib feature multiple times.
912             duplicate_feature_err(tcx.sess, *span, *feature);
913         }
914         remaining_lib_features.insert(feature, span.clone());
915     }
916     // `stdbuild` has special handling for `libc`, so we need to
917     // recognise the feature when building std.
918     // Likewise, libtest is handled specially, so `test` isn't
919     // available as we'd like it to be.
920     // FIXME: only remove `libc` when `stdbuild` is active.
921     // FIXME: remove special casing for `test`.
922     remaining_lib_features.remove(&Symbol::intern("libc"));
923     remaining_lib_features.remove(&sym::test);
924
925     let check_features =
926         |remaining_lib_features: &mut FxHashMap<_, _>, defined_features: &[_]| {
927             for &(feature, since) in defined_features {
928                 if let Some(since) = since {
929                     if let Some(span) = remaining_lib_features.get(&feature) {
930                         // Warn if the user has enabled an already-stable lib feature.
931                         unnecessary_stable_feature_lint(tcx, *span, feature, since);
932                     }
933                 }
934                 remaining_lib_features.remove(&feature);
935                 if remaining_lib_features.is_empty() {
936                     break;
937                 }
938             }
939         };
940
941     // We always collect the lib features declared in the current crate, even if there are
942     // no unknown features, because the collection also does feature attribute validation.
943     let local_defined_features = tcx.lib_features().to_vec();
944     if !remaining_lib_features.is_empty() {
945         check_features(&mut remaining_lib_features, &local_defined_features);
946
947         for &cnum in &*tcx.crates() {
948             if remaining_lib_features.is_empty() {
949                 break;
950             }
951             check_features(&mut remaining_lib_features, tcx.defined_lib_features(cnum));
952         }
953     }
954
955     for (feature, span) in remaining_lib_features {
956         struct_span_err!(tcx.sess, span, E0635, "unknown feature `{}`", feature).emit();
957     }
958
959     // FIXME(#44232): the `used_features` table no longer exists, so we
960     // don't lint about unused features. We should reenable this one day!
961 }
962
963 fn unnecessary_stable_feature_lint(
964     tcx: TyCtxt<'_>,
965     span: Span,
966     feature: Symbol,
967     since: Symbol,
968 ) {
969     tcx.lint_hir(lint::builtin::STABLE_FEATURES,
970         hir::CRATE_HIR_ID,
971         span,
972         &format!("the feature `{}` has been stable since {} and no longer requires \
973                   an attribute to enable", feature, since));
974 }
975
976 fn duplicate_feature_err(sess: &Session, span: Span, feature: Symbol) {
977     struct_span_err!(sess, span, E0636, "the feature `{}` has already been declared", feature)
978         .emit();
979 }