]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_resolve/src/macros.rs
Stabilize File::options()
[rust.git] / compiler / rustc_resolve / src / macros.rs
1 //! A bunch of methods and structures more or less related to resolving macros and
2 //! interface provided by `Resolver` to macro expander.
3
4 use crate::imports::ImportResolver;
5 use crate::Namespace::*;
6 use crate::{AmbiguityError, AmbiguityErrorMisc, AmbiguityKind, BuiltinMacroState, Determinacy};
7 use crate::{CrateLint, DeriveData, ParentScope, ResolutionError, Resolver, Scope, ScopeSet, Weak};
8 use crate::{ModuleKind, ModuleOrUniformRoot, NameBinding, PathResult, Segment, ToNameBinding};
9 use rustc_ast::{self as ast, Inline, ItemKind, ModKind, NodeId};
10 use rustc_ast_lowering::ResolverAstLowering;
11 use rustc_ast_pretty::pprust;
12 use rustc_attr::StabilityLevel;
13 use rustc_data_structures::fx::FxHashSet;
14 use rustc_data_structures::ptr_key::PtrKey;
15 use rustc_data_structures::sync::Lrc;
16 use rustc_errors::struct_span_err;
17 use rustc_expand::base::{Annotatable, DeriveResolutions, Indeterminate, ResolverExpand};
18 use rustc_expand::base::{SyntaxExtension, SyntaxExtensionKind};
19 use rustc_expand::compile_declarative_macro;
20 use rustc_expand::expand::{AstFragment, Invocation, InvocationKind, SupportsMacroExpansion};
21 use rustc_feature::is_builtin_attr_name;
22 use rustc_hir::def::{self, DefKind, NonMacroAttrKind};
23 use rustc_hir::def_id::{CrateNum, LocalDefId};
24 use rustc_hir::PrimTy;
25 use rustc_middle::middle::stability;
26 use rustc_middle::ty;
27 use rustc_session::lint::builtin::{LEGACY_DERIVE_HELPERS, PROC_MACRO_DERIVE_RESOLUTION_FALLBACK};
28 use rustc_session::lint::builtin::{SOFT_UNSTABLE, UNUSED_MACROS};
29 use rustc_session::lint::BuiltinLintDiagnostics;
30 use rustc_session::parse::feature_err;
31 use rustc_session::Session;
32 use rustc_span::edition::Edition;
33 use rustc_span::hygiene::{self, ExpnData, ExpnKind, LocalExpnId};
34 use rustc_span::hygiene::{AstPass, MacroKind};
35 use rustc_span::symbol::{kw, sym, Ident, Symbol};
36 use rustc_span::{Span, DUMMY_SP};
37 use std::cell::Cell;
38 use std::{mem, ptr};
39
40 type Res = def::Res<NodeId>;
41
42 /// Binding produced by a `macro_rules` item.
43 /// Not modularized, can shadow previous `macro_rules` bindings, etc.
44 #[derive(Debug)]
45 pub struct MacroRulesBinding<'a> {
46     crate binding: &'a NameBinding<'a>,
47     /// `macro_rules` scope into which the `macro_rules` item was planted.
48     crate parent_macro_rules_scope: MacroRulesScopeRef<'a>,
49     crate ident: Ident,
50 }
51
52 /// The scope introduced by a `macro_rules!` macro.
53 /// This starts at the macro's definition and ends at the end of the macro's parent
54 /// module (named or unnamed), or even further if it escapes with `#[macro_use]`.
55 /// Some macro invocations need to introduce `macro_rules` scopes too because they
56 /// can potentially expand into macro definitions.
57 #[derive(Copy, Clone, Debug)]
58 pub enum MacroRulesScope<'a> {
59     /// Empty "root" scope at the crate start containing no names.
60     Empty,
61     /// The scope introduced by a `macro_rules!` macro definition.
62     Binding(&'a MacroRulesBinding<'a>),
63     /// The scope introduced by a macro invocation that can potentially
64     /// create a `macro_rules!` macro definition.
65     Invocation(LocalExpnId),
66 }
67
68 /// `macro_rules!` scopes are always kept by reference and inside a cell.
69 /// The reason is that we update scopes with value `MacroRulesScope::Invocation(invoc_id)`
70 /// in-place after `invoc_id` gets expanded.
71 /// This helps to avoid uncontrollable growth of `macro_rules!` scope chains,
72 /// which usually grow lineraly with the number of macro invocations
73 /// in a module (including derives) and hurt performance.
74 pub(crate) type MacroRulesScopeRef<'a> = PtrKey<'a, Cell<MacroRulesScope<'a>>>;
75
76 // Macro namespace is separated into two sub-namespaces, one for bang macros and
77 // one for attribute-like macros (attributes, derives).
78 // We ignore resolutions from one sub-namespace when searching names in scope for another.
79 fn sub_namespace_match(candidate: Option<MacroKind>, requirement: Option<MacroKind>) -> bool {
80     #[derive(PartialEq)]
81     enum SubNS {
82         Bang,
83         AttrLike,
84     }
85     let sub_ns = |kind| match kind {
86         MacroKind::Bang => SubNS::Bang,
87         MacroKind::Attr | MacroKind::Derive => SubNS::AttrLike,
88     };
89     let candidate = candidate.map(sub_ns);
90     let requirement = requirement.map(sub_ns);
91     // "No specific sub-namespace" means "matches anything" for both requirements and candidates.
92     candidate.is_none() || requirement.is_none() || candidate == requirement
93 }
94
95 // We don't want to format a path using pretty-printing,
96 // `format!("{}", path)`, because that tries to insert
97 // line-breaks and is slow.
98 fn fast_print_path(path: &ast::Path) -> Symbol {
99     if path.segments.len() == 1 {
100         path.segments[0].ident.name
101     } else {
102         let mut path_str = String::with_capacity(64);
103         for (i, segment) in path.segments.iter().enumerate() {
104             if i != 0 {
105                 path_str.push_str("::");
106             }
107             if segment.ident.name != kw::PathRoot {
108                 path_str.push_str(&segment.ident.as_str())
109             }
110         }
111         Symbol::intern(&path_str)
112     }
113 }
114
115 /// The code common between processing `#![register_tool]` and `#![register_attr]`.
116 fn registered_idents(
117     sess: &Session,
118     attrs: &[ast::Attribute],
119     attr_name: Symbol,
120     descr: &str,
121 ) -> FxHashSet<Ident> {
122     let mut registered = FxHashSet::default();
123     for attr in sess.filter_by_name(attrs, attr_name) {
124         for nested_meta in attr.meta_item_list().unwrap_or_default() {
125             match nested_meta.ident() {
126                 Some(ident) => {
127                     if let Some(old_ident) = registered.replace(ident) {
128                         let msg = format!("{} `{}` was already registered", descr, ident);
129                         sess.struct_span_err(ident.span, &msg)
130                             .span_label(old_ident.span, "already registered here")
131                             .emit();
132                     }
133                 }
134                 None => {
135                     let msg = format!("`{}` only accepts identifiers", attr_name);
136                     let span = nested_meta.span();
137                     sess.struct_span_err(span, &msg).span_label(span, "not an identifier").emit();
138                 }
139             }
140         }
141     }
142     registered
143 }
144
145 crate fn registered_attrs_and_tools(
146     sess: &Session,
147     attrs: &[ast::Attribute],
148 ) -> (FxHashSet<Ident>, FxHashSet<Ident>) {
149     let registered_attrs = registered_idents(sess, attrs, sym::register_attr, "attribute");
150     let mut registered_tools = registered_idents(sess, attrs, sym::register_tool, "tool");
151     // We implicitly add `rustfmt` and `clippy` to known tools,
152     // but it's not an error to register them explicitly.
153     let predefined_tools = [sym::clippy, sym::rustfmt];
154     registered_tools.extend(predefined_tools.iter().cloned().map(Ident::with_dummy_span));
155     (registered_attrs, registered_tools)
156 }
157
158 // Some feature gates for inner attributes are reported as lints for backward compatibility.
159 fn soft_custom_inner_attributes_gate(path: &ast::Path, invoc: &Invocation) -> bool {
160     match &path.segments[..] {
161         // `#![test]`
162         [seg] if seg.ident.name == sym::test => return true,
163         // `#![rustfmt::skip]` on out-of-line modules
164         [seg1, seg2] if seg1.ident.name == sym::rustfmt && seg2.ident.name == sym::skip => {
165             if let InvocationKind::Attr { item, .. } = &invoc.kind {
166                 if let Annotatable::Item(item) = item {
167                     if let ItemKind::Mod(_, ModKind::Loaded(_, Inline::No, _)) = item.kind {
168                         return true;
169                     }
170                 }
171             }
172         }
173         _ => {}
174     }
175     false
176 }
177
178 impl<'a> ResolverExpand for Resolver<'a> {
179     fn next_node_id(&mut self) -> NodeId {
180         self.next_node_id()
181     }
182
183     fn invocation_parent(&self, id: LocalExpnId) -> LocalDefId {
184         self.invocation_parents[&id].0
185     }
186
187     fn resolve_dollar_crates(&mut self) {
188         hygiene::update_dollar_crate_names(|ctxt| {
189             let ident = Ident::new(kw::DollarCrate, DUMMY_SP.with_ctxt(ctxt));
190             match self.resolve_crate_root(ident).kind {
191                 ModuleKind::Def(.., name) if name != kw::Empty => name,
192                 _ => kw::Crate,
193             }
194         });
195     }
196
197     fn visit_ast_fragment_with_placeholders(
198         &mut self,
199         expansion: LocalExpnId,
200         fragment: &AstFragment,
201     ) {
202         // Integrate the new AST fragment into all the definition and module structures.
203         // We are inside the `expansion` now, but other parent scope components are still the same.
204         let parent_scope = ParentScope { expansion, ..self.invocation_parent_scopes[&expansion] };
205         let output_macro_rules_scope = self.build_reduced_graph(fragment, parent_scope);
206         self.output_macro_rules_scopes.insert(expansion, output_macro_rules_scope);
207
208         parent_scope.module.unexpanded_invocations.borrow_mut().remove(&expansion);
209     }
210
211     fn register_builtin_macro(&mut self, name: Symbol, ext: SyntaxExtensionKind) {
212         if self.builtin_macros.insert(name, BuiltinMacroState::NotYetSeen(ext)).is_some() {
213             self.session
214                 .diagnostic()
215                 .bug(&format!("built-in macro `{}` was already registered", name));
216         }
217     }
218
219     // Create a new Expansion with a definition site of the provided module, or
220     // a fake empty `#[no_implicit_prelude]` module if no module is provided.
221     fn expansion_for_ast_pass(
222         &mut self,
223         call_site: Span,
224         pass: AstPass,
225         features: &[Symbol],
226         parent_module_id: Option<NodeId>,
227     ) -> LocalExpnId {
228         let parent_module =
229             parent_module_id.map(|module_id| self.local_def_id(module_id).to_def_id());
230         let expn_id = LocalExpnId::fresh(
231             ExpnData::allow_unstable(
232                 ExpnKind::AstPass(pass),
233                 call_site,
234                 self.session.edition(),
235                 features.into(),
236                 None,
237                 parent_module,
238             ),
239             self.create_stable_hashing_context(),
240         );
241
242         let parent_scope =
243             parent_module.map_or(self.empty_module, |def_id| self.expect_module(def_id));
244         self.ast_transform_scopes.insert(expn_id, parent_scope);
245
246         expn_id
247     }
248
249     fn resolve_imports(&mut self) {
250         ImportResolver { r: self }.resolve_imports()
251     }
252
253     fn resolve_macro_invocation(
254         &mut self,
255         invoc: &Invocation,
256         eager_expansion_root: LocalExpnId,
257         force: bool,
258     ) -> Result<Lrc<SyntaxExtension>, Indeterminate> {
259         let invoc_id = invoc.expansion_data.id;
260         let parent_scope = match self.invocation_parent_scopes.get(&invoc_id) {
261             Some(parent_scope) => *parent_scope,
262             None => {
263                 // If there's no entry in the table, then we are resolving an eagerly expanded
264                 // macro, which should inherit its parent scope from its eager expansion root -
265                 // the macro that requested this eager expansion.
266                 let parent_scope = *self
267                     .invocation_parent_scopes
268                     .get(&eager_expansion_root)
269                     .expect("non-eager expansion without a parent scope");
270                 self.invocation_parent_scopes.insert(invoc_id, parent_scope);
271                 parent_scope
272             }
273         };
274
275         let (path, kind, inner_attr, derives) = match invoc.kind {
276             InvocationKind::Attr { ref attr, ref derives, .. } => (
277                 &attr.get_normal_item().path,
278                 MacroKind::Attr,
279                 attr.style == ast::AttrStyle::Inner,
280                 self.arenas.alloc_ast_paths(derives),
281             ),
282             InvocationKind::Bang { ref mac, .. } => (&mac.path, MacroKind::Bang, false, &[][..]),
283             InvocationKind::Derive { ref path, .. } => (path, MacroKind::Derive, false, &[][..]),
284         };
285
286         // Derives are not included when `invocations` are collected, so we have to add them here.
287         let parent_scope = &ParentScope { derives, ..parent_scope };
288         let supports_macro_expansion = invoc.fragment_kind.supports_macro_expansion();
289         let node_id = invoc.expansion_data.lint_node_id;
290         let (ext, res) = self.smart_resolve_macro_path(
291             path,
292             kind,
293             supports_macro_expansion,
294             inner_attr,
295             parent_scope,
296             node_id,
297             force,
298             soft_custom_inner_attributes_gate(path, invoc),
299         )?;
300
301         let span = invoc.span();
302         let def_id = res.opt_def_id();
303         invoc_id.set_expn_data(
304             ext.expn_data(
305                 parent_scope.expansion,
306                 span,
307                 fast_print_path(path),
308                 def_id,
309                 def_id.map(|def_id| self.macro_def_scope(def_id).nearest_parent_mod()),
310             ),
311             self.create_stable_hashing_context(),
312         );
313
314         Ok(ext)
315     }
316
317     fn check_unused_macros(&mut self) {
318         for (_, &(node_id, span)) in self.unused_macros.iter() {
319             self.lint_buffer.buffer_lint(UNUSED_MACROS, node_id, span, "unused macro definition");
320         }
321     }
322
323     fn has_derive_copy(&self, expn_id: LocalExpnId) -> bool {
324         self.containers_deriving_copy.contains(&expn_id)
325     }
326
327     fn resolve_derives(
328         &mut self,
329         expn_id: LocalExpnId,
330         force: bool,
331         derive_paths: &dyn Fn() -> DeriveResolutions,
332     ) -> Result<(), Indeterminate> {
333         // Block expansion of the container until we resolve all derives in it.
334         // This is required for two reasons:
335         // - Derive helper attributes are in scope for the item to which the `#[derive]`
336         //   is applied, so they have to be produced by the container's expansion rather
337         //   than by individual derives.
338         // - Derives in the container need to know whether one of them is a built-in `Copy`.
339         // Temporarily take the data to avoid borrow checker conflicts.
340         let mut derive_data = mem::take(&mut self.derive_data);
341         let entry = derive_data.entry(expn_id).or_insert_with(|| DeriveData {
342             resolutions: derive_paths(),
343             helper_attrs: Vec::new(),
344             has_derive_copy: false,
345         });
346         let parent_scope = self.invocation_parent_scopes[&expn_id];
347         for (i, (path, _, opt_ext)) in entry.resolutions.iter_mut().enumerate() {
348             if opt_ext.is_none() {
349                 *opt_ext = Some(
350                     match self.resolve_macro_path(
351                         &path,
352                         Some(MacroKind::Derive),
353                         &parent_scope,
354                         true,
355                         force,
356                     ) {
357                         Ok((Some(ext), _)) => {
358                             if !ext.helper_attrs.is_empty() {
359                                 let last_seg = path.segments.last().unwrap();
360                                 let span = last_seg.ident.span.normalize_to_macros_2_0();
361                                 entry.helper_attrs.extend(
362                                     ext.helper_attrs
363                                         .iter()
364                                         .map(|name| (i, Ident::new(*name, span))),
365                                 );
366                             }
367                             entry.has_derive_copy |= ext.builtin_name == Some(sym::Copy);
368                             ext
369                         }
370                         Ok(_) | Err(Determinacy::Determined) => self.dummy_ext(MacroKind::Derive),
371                         Err(Determinacy::Undetermined) => {
372                             assert!(self.derive_data.is_empty());
373                             self.derive_data = derive_data;
374                             return Err(Indeterminate);
375                         }
376                     },
377                 );
378             }
379         }
380         // Sort helpers in a stable way independent from the derive resolution order.
381         entry.helper_attrs.sort_by_key(|(i, _)| *i);
382         self.helper_attrs
383             .insert(expn_id, entry.helper_attrs.iter().map(|(_, ident)| *ident).collect());
384         // Mark this derive as having `Copy` either if it has `Copy` itself or if its parent derive
385         // has `Copy`, to support cases like `#[derive(Clone, Copy)] #[derive(Debug)]`.
386         if entry.has_derive_copy || self.has_derive_copy(parent_scope.expansion) {
387             self.containers_deriving_copy.insert(expn_id);
388         }
389         assert!(self.derive_data.is_empty());
390         self.derive_data = derive_data;
391         Ok(())
392     }
393
394     fn take_derive_resolutions(&mut self, expn_id: LocalExpnId) -> Option<DeriveResolutions> {
395         self.derive_data.remove(&expn_id).map(|data| data.resolutions)
396     }
397
398     // The function that implements the resolution logic of `#[cfg_accessible(path)]`.
399     // Returns true if the path can certainly be resolved in one of three namespaces,
400     // returns false if the path certainly cannot be resolved in any of the three namespaces.
401     // Returns `Indeterminate` if we cannot give a certain answer yet.
402     fn cfg_accessible(
403         &mut self,
404         expn_id: LocalExpnId,
405         path: &ast::Path,
406     ) -> Result<bool, Indeterminate> {
407         let span = path.span;
408         let path = &Segment::from_path(path);
409         let parent_scope = self.invocation_parent_scopes[&expn_id];
410
411         let mut indeterminate = false;
412         for ns in [TypeNS, ValueNS, MacroNS].iter().copied() {
413             match self.resolve_path(path, Some(ns), &parent_scope, false, span, CrateLint::No) {
414                 PathResult::Module(ModuleOrUniformRoot::Module(_)) => return Ok(true),
415                 PathResult::NonModule(partial_res) if partial_res.unresolved_segments() == 0 => {
416                     return Ok(true);
417                 }
418                 PathResult::Indeterminate => indeterminate = true,
419                 // FIXME: `resolve_path` is not ready to report partially resolved paths
420                 // correctly, so we just report an error if the path was reported as unresolved.
421                 // This needs to be fixed for `cfg_accessible` to be useful.
422                 PathResult::NonModule(..) | PathResult::Failed { .. } => {}
423                 PathResult::Module(_) => panic!("unexpected path resolution"),
424             }
425         }
426
427         if indeterminate {
428             return Err(Indeterminate);
429         }
430
431         self.session
432             .struct_span_err(span, "not sure whether the path is accessible or not")
433             .span_note(span, "`cfg_accessible` is not fully implemented")
434             .emit();
435         Ok(false)
436     }
437
438     fn get_proc_macro_quoted_span(&self, krate: CrateNum, id: usize) -> Span {
439         self.crate_loader.cstore().get_proc_macro_quoted_span_untracked(krate, id, self.session)
440     }
441
442     fn declare_proc_macro(&mut self, id: NodeId) {
443         self.proc_macros.push(id)
444     }
445 }
446
447 impl<'a> Resolver<'a> {
448     /// Resolve macro path with error reporting and recovery.
449     /// Uses dummy syntax extensions for unresolved macros or macros with unexpected resolutions
450     /// for better error recovery.
451     fn smart_resolve_macro_path(
452         &mut self,
453         path: &ast::Path,
454         kind: MacroKind,
455         supports_macro_expansion: SupportsMacroExpansion,
456         inner_attr: bool,
457         parent_scope: &ParentScope<'a>,
458         node_id: NodeId,
459         force: bool,
460         soft_custom_inner_attributes_gate: bool,
461     ) -> Result<(Lrc<SyntaxExtension>, Res), Indeterminate> {
462         let (ext, res) = match self.resolve_macro_path(path, Some(kind), parent_scope, true, force)
463         {
464             Ok((Some(ext), res)) => (ext, res),
465             Ok((None, res)) => (self.dummy_ext(kind), res),
466             Err(Determinacy::Determined) => (self.dummy_ext(kind), Res::Err),
467             Err(Determinacy::Undetermined) => return Err(Indeterminate),
468         };
469
470         // Report errors for the resolved macro.
471         for segment in &path.segments {
472             if let Some(args) = &segment.args {
473                 self.session.span_err(args.span(), "generic arguments in macro path");
474             }
475             if kind == MacroKind::Attr && segment.ident.as_str().starts_with("rustc") {
476                 self.session.span_err(
477                     segment.ident.span,
478                     "attributes starting with `rustc` are reserved for use by the `rustc` compiler",
479                 );
480             }
481         }
482
483         match res {
484             Res::Def(DefKind::Macro(_), def_id) => {
485                 if let Some(def_id) = def_id.as_local() {
486                     self.unused_macros.remove(&def_id);
487                     if self.proc_macro_stubs.contains(&def_id) {
488                         self.session.span_err(
489                             path.span,
490                             "can't use a procedural macro from the same crate that defines it",
491                         );
492                     }
493                 }
494             }
495             Res::NonMacroAttr(..) | Res::Err => {}
496             _ => panic!("expected `DefKind::Macro` or `Res::NonMacroAttr`"),
497         };
498
499         self.check_stability_and_deprecation(&ext, path, node_id);
500
501         let unexpected_res = if ext.macro_kind() != kind {
502             Some((kind.article(), kind.descr_expected()))
503         } else if matches!(res, Res::Def(..)) {
504             match supports_macro_expansion {
505                 SupportsMacroExpansion::No => Some(("a", "non-macro attribute")),
506                 SupportsMacroExpansion::Yes { supports_inner_attrs } => {
507                     if inner_attr && !supports_inner_attrs {
508                         Some(("a", "non-macro inner attribute"))
509                     } else {
510                         None
511                     }
512                 }
513             }
514         } else {
515             None
516         };
517         if let Some((article, expected)) = unexpected_res {
518             let path_str = pprust::path_to_string(path);
519             let msg = format!("expected {}, found {} `{}`", expected, res.descr(), path_str);
520             self.session
521                 .struct_span_err(path.span, &msg)
522                 .span_label(path.span, format!("not {} {}", article, expected))
523                 .emit();
524             return Ok((self.dummy_ext(kind), Res::Err));
525         }
526
527         // We are trying to avoid reporting this error if other related errors were reported.
528         if res != Res::Err
529             && inner_attr
530             && !self.session.features_untracked().custom_inner_attributes
531         {
532             let msg = match res {
533                 Res::Def(..) => "inner macro attributes are unstable",
534                 Res::NonMacroAttr(..) => "custom inner attributes are unstable",
535                 _ => unreachable!(),
536             };
537             if soft_custom_inner_attributes_gate {
538                 self.session.parse_sess.buffer_lint(SOFT_UNSTABLE, path.span, node_id, msg);
539             } else {
540                 feature_err(&self.session.parse_sess, sym::custom_inner_attributes, path.span, msg)
541                     .emit();
542             }
543         }
544
545         Ok((ext, res))
546     }
547
548     pub fn resolve_macro_path(
549         &mut self,
550         path: &ast::Path,
551         kind: Option<MacroKind>,
552         parent_scope: &ParentScope<'a>,
553         trace: bool,
554         force: bool,
555     ) -> Result<(Option<Lrc<SyntaxExtension>>, Res), Determinacy> {
556         let path_span = path.span;
557         let mut path = Segment::from_path(path);
558
559         // Possibly apply the macro helper hack
560         if kind == Some(MacroKind::Bang)
561             && path.len() == 1
562             && path[0].ident.span.ctxt().outer_expn_data().local_inner_macros
563         {
564             let root = Ident::new(kw::DollarCrate, path[0].ident.span);
565             path.insert(0, Segment::from_ident(root));
566         }
567
568         let res = if path.len() > 1 {
569             let res = match self.resolve_path(
570                 &path,
571                 Some(MacroNS),
572                 parent_scope,
573                 false,
574                 path_span,
575                 CrateLint::No,
576             ) {
577                 PathResult::NonModule(path_res) if path_res.unresolved_segments() == 0 => {
578                     Ok(path_res.base_res())
579                 }
580                 PathResult::Indeterminate if !force => return Err(Determinacy::Undetermined),
581                 PathResult::NonModule(..)
582                 | PathResult::Indeterminate
583                 | PathResult::Failed { .. } => Err(Determinacy::Determined),
584                 PathResult::Module(..) => unreachable!(),
585             };
586
587             if trace {
588                 let kind = kind.expect("macro kind must be specified if tracing is enabled");
589                 self.multi_segment_macro_resolutions.push((
590                     path,
591                     path_span,
592                     kind,
593                     *parent_scope,
594                     res.ok(),
595                 ));
596             }
597
598             self.prohibit_imported_non_macro_attrs(None, res.ok(), path_span);
599             res
600         } else {
601             let scope_set = kind.map_or(ScopeSet::All(MacroNS, false), ScopeSet::Macro);
602             let binding = self.early_resolve_ident_in_lexical_scope(
603                 path[0].ident,
604                 scope_set,
605                 parent_scope,
606                 false,
607                 force,
608                 path_span,
609             );
610             if let Err(Determinacy::Undetermined) = binding {
611                 return Err(Determinacy::Undetermined);
612             }
613
614             if trace {
615                 let kind = kind.expect("macro kind must be specified if tracing is enabled");
616                 self.single_segment_macro_resolutions.push((
617                     path[0].ident,
618                     kind,
619                     *parent_scope,
620                     binding.ok(),
621                 ));
622             }
623
624             let res = binding.map(|binding| binding.res());
625             self.prohibit_imported_non_macro_attrs(binding.ok(), res.ok(), path_span);
626             res
627         };
628
629         res.map(|res| (self.get_macro(res), res))
630     }
631
632     // Resolve an identifier in lexical scope.
633     // This is a variation of `fn resolve_ident_in_lexical_scope` that can be run during
634     // expansion and import resolution (perhaps they can be merged in the future).
635     // The function is used for resolving initial segments of macro paths (e.g., `foo` in
636     // `foo::bar!(); or `foo!();`) and also for import paths on 2018 edition.
637     crate fn early_resolve_ident_in_lexical_scope(
638         &mut self,
639         orig_ident: Ident,
640         scope_set: ScopeSet<'a>,
641         parent_scope: &ParentScope<'a>,
642         record_used: bool,
643         force: bool,
644         path_span: Span,
645     ) -> Result<&'a NameBinding<'a>, Determinacy> {
646         bitflags::bitflags! {
647             struct Flags: u8 {
648                 const MACRO_RULES          = 1 << 0;
649                 const MODULE               = 1 << 1;
650                 const MISC_SUGGEST_CRATE   = 1 << 2;
651                 const MISC_SUGGEST_SELF    = 1 << 3;
652                 const MISC_FROM_PRELUDE    = 1 << 4;
653             }
654         }
655
656         assert!(force || !record_used); // `record_used` implies `force`
657
658         // Make sure `self`, `super` etc produce an error when passed to here.
659         if orig_ident.is_path_segment_keyword() {
660             return Err(Determinacy::Determined);
661         }
662
663         let (ns, macro_kind, is_import) = match scope_set {
664             ScopeSet::All(ns, is_import) => (ns, None, is_import),
665             ScopeSet::AbsolutePath(ns) => (ns, None, false),
666             ScopeSet::Macro(macro_kind) => (MacroNS, Some(macro_kind), false),
667             ScopeSet::Late(ns, ..) => (ns, None, false),
668         };
669
670         // This is *the* result, resolution from the scope closest to the resolved identifier.
671         // However, sometimes this result is "weak" because it comes from a glob import or
672         // a macro expansion, and in this case it cannot shadow names from outer scopes, e.g.
673         // mod m { ... } // solution in outer scope
674         // {
675         //     use prefix::*; // imports another `m` - innermost solution
676         //                    // weak, cannot shadow the outer `m`, need to report ambiguity error
677         //     m::mac!();
678         // }
679         // So we have to save the innermost solution and continue searching in outer scopes
680         // to detect potential ambiguities.
681         let mut innermost_result: Option<(&NameBinding<'_>, Flags)> = None;
682         let mut determinacy = Determinacy::Determined;
683
684         // Go through all the scopes and try to resolve the name.
685         let break_result = self.visit_scopes(
686             scope_set,
687             parent_scope,
688             orig_ident.span.ctxt(),
689             |this, scope, use_prelude, ctxt| {
690                 let ident = Ident::new(orig_ident.name, orig_ident.span.with_ctxt(ctxt));
691                 let ok = |res, span, arenas| {
692                     Ok((
693                         (res, ty::Visibility::Public, span, LocalExpnId::ROOT)
694                             .to_name_binding(arenas),
695                         Flags::empty(),
696                     ))
697                 };
698                 let result = match scope {
699                     Scope::DeriveHelpers(expn_id) => {
700                         if let Some(attr) = this
701                             .helper_attrs
702                             .get(&expn_id)
703                             .and_then(|attrs| attrs.iter().rfind(|i| ident == **i))
704                         {
705                             let binding = (
706                                 Res::NonMacroAttr(NonMacroAttrKind::DeriveHelper),
707                                 ty::Visibility::Public,
708                                 attr.span,
709                                 expn_id,
710                             )
711                                 .to_name_binding(this.arenas);
712                             Ok((binding, Flags::empty()))
713                         } else {
714                             Err(Determinacy::Determined)
715                         }
716                     }
717                     Scope::DeriveHelpersCompat => {
718                         let mut result = Err(Determinacy::Determined);
719                         for derive in parent_scope.derives {
720                             let parent_scope = &ParentScope { derives: &[], ..*parent_scope };
721                             match this.resolve_macro_path(
722                                 derive,
723                                 Some(MacroKind::Derive),
724                                 parent_scope,
725                                 true,
726                                 force,
727                             ) {
728                                 Ok((Some(ext), _)) => {
729                                     if ext.helper_attrs.contains(&ident.name) {
730                                         result = ok(
731                                             Res::NonMacroAttr(NonMacroAttrKind::DeriveHelperCompat),
732                                             derive.span,
733                                             this.arenas,
734                                         );
735                                         break;
736                                     }
737                                 }
738                                 Ok(_) | Err(Determinacy::Determined) => {}
739                                 Err(Determinacy::Undetermined) => {
740                                     result = Err(Determinacy::Undetermined)
741                                 }
742                             }
743                         }
744                         result
745                     }
746                     Scope::MacroRules(macro_rules_scope) => match macro_rules_scope.get() {
747                         MacroRulesScope::Binding(macro_rules_binding)
748                             if ident == macro_rules_binding.ident =>
749                         {
750                             Ok((macro_rules_binding.binding, Flags::MACRO_RULES))
751                         }
752                         MacroRulesScope::Invocation(_) => Err(Determinacy::Undetermined),
753                         _ => Err(Determinacy::Determined),
754                     },
755                     Scope::CrateRoot => {
756                         let root_ident = Ident::new(kw::PathRoot, ident.span);
757                         let root_module = this.resolve_crate_root(root_ident);
758                         let binding = this.resolve_ident_in_module_ext(
759                             ModuleOrUniformRoot::Module(root_module),
760                             ident,
761                             ns,
762                             parent_scope,
763                             record_used,
764                             path_span,
765                         );
766                         match binding {
767                             Ok(binding) => Ok((binding, Flags::MODULE | Flags::MISC_SUGGEST_CRATE)),
768                             Err((Determinacy::Undetermined, Weak::No)) => {
769                                 return Some(Err(Determinacy::determined(force)));
770                             }
771                             Err((Determinacy::Undetermined, Weak::Yes)) => {
772                                 Err(Determinacy::Undetermined)
773                             }
774                             Err((Determinacy::Determined, _)) => Err(Determinacy::Determined),
775                         }
776                     }
777                     Scope::Module(module, derive_fallback_lint_id) => {
778                         let adjusted_parent_scope = &ParentScope { module, ..*parent_scope };
779                         let binding = this.resolve_ident_in_module_unadjusted_ext(
780                             ModuleOrUniformRoot::Module(module),
781                             ident,
782                             ns,
783                             adjusted_parent_scope,
784                             !matches!(scope_set, ScopeSet::Late(..)),
785                             record_used,
786                             path_span,
787                         );
788                         match binding {
789                             Ok(binding) => {
790                                 if let Some(lint_id) = derive_fallback_lint_id {
791                                     this.lint_buffer.buffer_lint_with_diagnostic(
792                                         PROC_MACRO_DERIVE_RESOLUTION_FALLBACK,
793                                         lint_id,
794                                         orig_ident.span,
795                                         &format!(
796                                             "cannot find {} `{}` in this scope",
797                                             ns.descr(),
798                                             ident
799                                         ),
800                                         BuiltinLintDiagnostics::ProcMacroDeriveResolutionFallback(
801                                             orig_ident.span,
802                                         ),
803                                     );
804                                 }
805                                 let misc_flags = if ptr::eq(module, this.graph_root) {
806                                     Flags::MISC_SUGGEST_CRATE
807                                 } else if module.is_normal() {
808                                     Flags::MISC_SUGGEST_SELF
809                                 } else {
810                                     Flags::empty()
811                                 };
812                                 Ok((binding, Flags::MODULE | misc_flags))
813                             }
814                             Err((Determinacy::Undetermined, Weak::No)) => {
815                                 return Some(Err(Determinacy::determined(force)));
816                             }
817                             Err((Determinacy::Undetermined, Weak::Yes)) => {
818                                 Err(Determinacy::Undetermined)
819                             }
820                             Err((Determinacy::Determined, _)) => Err(Determinacy::Determined),
821                         }
822                     }
823                     Scope::RegisteredAttrs => match this.registered_attrs.get(&ident).cloned() {
824                         Some(ident) => ok(
825                             Res::NonMacroAttr(NonMacroAttrKind::Registered),
826                             ident.span,
827                             this.arenas,
828                         ),
829                         None => Err(Determinacy::Determined),
830                     },
831                     Scope::MacroUsePrelude => {
832                         match this.macro_use_prelude.get(&ident.name).cloned() {
833                             Some(binding) => Ok((binding, Flags::MISC_FROM_PRELUDE)),
834                             None => Err(Determinacy::determined(
835                                 this.graph_root.unexpanded_invocations.borrow().is_empty(),
836                             )),
837                         }
838                     }
839                     Scope::BuiltinAttrs => {
840                         if is_builtin_attr_name(ident.name) {
841                             ok(
842                                 Res::NonMacroAttr(NonMacroAttrKind::Builtin(ident.name)),
843                                 DUMMY_SP,
844                                 this.arenas,
845                             )
846                         } else {
847                             Err(Determinacy::Determined)
848                         }
849                     }
850                     Scope::ExternPrelude => match this.extern_prelude_get(ident, !record_used) {
851                         Some(binding) => Ok((binding, Flags::empty())),
852                         None => Err(Determinacy::determined(
853                             this.graph_root.unexpanded_invocations.borrow().is_empty(),
854                         )),
855                     },
856                     Scope::ToolPrelude => match this.registered_tools.get(&ident).cloned() {
857                         Some(ident) => ok(Res::ToolMod, ident.span, this.arenas),
858                         None => Err(Determinacy::Determined),
859                     },
860                     Scope::StdLibPrelude => {
861                         let mut result = Err(Determinacy::Determined);
862                         if let Some(prelude) = this.prelude {
863                             if let Ok(binding) = this.resolve_ident_in_module_unadjusted(
864                                 ModuleOrUniformRoot::Module(prelude),
865                                 ident,
866                                 ns,
867                                 parent_scope,
868                                 false,
869                                 path_span,
870                             ) {
871                                 if use_prelude || this.is_builtin_macro(binding.res()) {
872                                     result = Ok((binding, Flags::MISC_FROM_PRELUDE));
873                                 }
874                             }
875                         }
876                         result
877                     }
878                     Scope::BuiltinTypes => match PrimTy::from_name(ident.name) {
879                         Some(prim_ty) => ok(Res::PrimTy(prim_ty), DUMMY_SP, this.arenas),
880                         None => Err(Determinacy::Determined),
881                     },
882                 };
883
884                 match result {
885                     Ok((binding, flags))
886                         if sub_namespace_match(binding.macro_kind(), macro_kind) =>
887                     {
888                         if !record_used || matches!(scope_set, ScopeSet::Late(..)) {
889                             return Some(Ok(binding));
890                         }
891
892                         if let Some((innermost_binding, innermost_flags)) = innermost_result {
893                             // Found another solution, if the first one was "weak", report an error.
894                             let (res, innermost_res) = (binding.res(), innermost_binding.res());
895                             if res != innermost_res {
896                                 let is_builtin = |res| {
897                                     matches!(res, Res::NonMacroAttr(NonMacroAttrKind::Builtin(..)))
898                                 };
899                                 let derive_helper =
900                                     Res::NonMacroAttr(NonMacroAttrKind::DeriveHelper);
901                                 let derive_helper_compat =
902                                     Res::NonMacroAttr(NonMacroAttrKind::DeriveHelperCompat);
903
904                                 let ambiguity_error_kind = if is_import {
905                                     Some(AmbiguityKind::Import)
906                                 } else if is_builtin(innermost_res) || is_builtin(res) {
907                                     Some(AmbiguityKind::BuiltinAttr)
908                                 } else if innermost_res == derive_helper_compat
909                                     || res == derive_helper_compat && innermost_res != derive_helper
910                                 {
911                                     Some(AmbiguityKind::DeriveHelper)
912                                 } else if innermost_flags.contains(Flags::MACRO_RULES)
913                                     && flags.contains(Flags::MODULE)
914                                     && !this.disambiguate_macro_rules_vs_modularized(
915                                         innermost_binding,
916                                         binding,
917                                     )
918                                     || flags.contains(Flags::MACRO_RULES)
919                                         && innermost_flags.contains(Flags::MODULE)
920                                         && !this.disambiguate_macro_rules_vs_modularized(
921                                             binding,
922                                             innermost_binding,
923                                         )
924                                 {
925                                     Some(AmbiguityKind::MacroRulesVsModularized)
926                                 } else if innermost_binding.is_glob_import() {
927                                     Some(AmbiguityKind::GlobVsOuter)
928                                 } else if innermost_binding
929                                     .may_appear_after(parent_scope.expansion, binding)
930                                 {
931                                     Some(AmbiguityKind::MoreExpandedVsOuter)
932                                 } else {
933                                     None
934                                 };
935                                 if let Some(kind) = ambiguity_error_kind {
936                                     let misc = |f: Flags| {
937                                         if f.contains(Flags::MISC_SUGGEST_CRATE) {
938                                             AmbiguityErrorMisc::SuggestCrate
939                                         } else if f.contains(Flags::MISC_SUGGEST_SELF) {
940                                             AmbiguityErrorMisc::SuggestSelf
941                                         } else if f.contains(Flags::MISC_FROM_PRELUDE) {
942                                             AmbiguityErrorMisc::FromPrelude
943                                         } else {
944                                             AmbiguityErrorMisc::None
945                                         }
946                                     };
947                                     this.ambiguity_errors.push(AmbiguityError {
948                                         kind,
949                                         ident: orig_ident,
950                                         b1: innermost_binding,
951                                         b2: binding,
952                                         misc1: misc(innermost_flags),
953                                         misc2: misc(flags),
954                                     });
955                                     return Some(Ok(innermost_binding));
956                                 }
957                             }
958                         } else {
959                             // Found the first solution.
960                             innermost_result = Some((binding, flags));
961                         }
962                     }
963                     Ok(..) | Err(Determinacy::Determined) => {}
964                     Err(Determinacy::Undetermined) => determinacy = Determinacy::Undetermined,
965                 }
966
967                 None
968             },
969         );
970
971         if let Some(break_result) = break_result {
972             return break_result;
973         }
974
975         // The first found solution was the only one, return it.
976         if let Some((binding, _)) = innermost_result {
977             return Ok(binding);
978         }
979
980         Err(Determinacy::determined(determinacy == Determinacy::Determined || force))
981     }
982
983     crate fn finalize_macro_resolutions(&mut self) {
984         let check_consistency = |this: &mut Self,
985                                  path: &[Segment],
986                                  span,
987                                  kind: MacroKind,
988                                  initial_res: Option<Res>,
989                                  res: Res| {
990             if let Some(initial_res) = initial_res {
991                 if res != initial_res {
992                     // Make sure compilation does not succeed if preferred macro resolution
993                     // has changed after the macro had been expanded. In theory all such
994                     // situations should be reported as errors, so this is a bug.
995                     this.session.delay_span_bug(span, "inconsistent resolution for a macro");
996                 }
997             } else {
998                 // It's possible that the macro was unresolved (indeterminate) and silently
999                 // expanded into a dummy fragment for recovery during expansion.
1000                 // Now, post-expansion, the resolution may succeed, but we can't change the
1001                 // past and need to report an error.
1002                 // However, non-speculative `resolve_path` can successfully return private items
1003                 // even if speculative `resolve_path` returned nothing previously, so we skip this
1004                 // less informative error if the privacy error is reported elsewhere.
1005                 if this.privacy_errors.is_empty() {
1006                     let msg = format!(
1007                         "cannot determine resolution for the {} `{}`",
1008                         kind.descr(),
1009                         Segment::names_to_string(path)
1010                     );
1011                     let msg_note = "import resolution is stuck, try simplifying macro imports";
1012                     this.session.struct_span_err(span, &msg).note(msg_note).emit();
1013                 }
1014             }
1015         };
1016
1017         let macro_resolutions = mem::take(&mut self.multi_segment_macro_resolutions);
1018         for (mut path, path_span, kind, parent_scope, initial_res) in macro_resolutions {
1019             // FIXME: Path resolution will ICE if segment IDs present.
1020             for seg in &mut path {
1021                 seg.id = None;
1022             }
1023             match self.resolve_path(
1024                 &path,
1025                 Some(MacroNS),
1026                 &parent_scope,
1027                 true,
1028                 path_span,
1029                 CrateLint::No,
1030             ) {
1031                 PathResult::NonModule(path_res) if path_res.unresolved_segments() == 0 => {
1032                     let res = path_res.base_res();
1033                     check_consistency(self, &path, path_span, kind, initial_res, res);
1034                 }
1035                 path_res @ PathResult::NonModule(..) | path_res @ PathResult::Failed { .. } => {
1036                     let (span, label) = if let PathResult::Failed { span, label, .. } = path_res {
1037                         (span, label)
1038                     } else {
1039                         (
1040                             path_span,
1041                             format!(
1042                                 "partially resolved path in {} {}",
1043                                 kind.article(),
1044                                 kind.descr()
1045                             ),
1046                         )
1047                     };
1048                     self.report_error(
1049                         span,
1050                         ResolutionError::FailedToResolve { label, suggestion: None },
1051                     );
1052                 }
1053                 PathResult::Module(..) | PathResult::Indeterminate => unreachable!(),
1054             }
1055         }
1056
1057         let macro_resolutions = mem::take(&mut self.single_segment_macro_resolutions);
1058         for (ident, kind, parent_scope, initial_binding) in macro_resolutions {
1059             match self.early_resolve_ident_in_lexical_scope(
1060                 ident,
1061                 ScopeSet::Macro(kind),
1062                 &parent_scope,
1063                 true,
1064                 true,
1065                 ident.span,
1066             ) {
1067                 Ok(binding) => {
1068                     let initial_res = initial_binding.map(|initial_binding| {
1069                         self.record_use(ident, initial_binding, false);
1070                         initial_binding.res()
1071                     });
1072                     let res = binding.res();
1073                     let seg = Segment::from_ident(ident);
1074                     check_consistency(self, &[seg], ident.span, kind, initial_res, res);
1075                     if res == Res::NonMacroAttr(NonMacroAttrKind::DeriveHelperCompat) {
1076                         let node_id = self
1077                             .invocation_parents
1078                             .get(&parent_scope.expansion)
1079                             .map_or(ast::CRATE_NODE_ID, |id| self.def_id_to_node_id[id.0]);
1080                         self.lint_buffer.buffer_lint_with_diagnostic(
1081                             LEGACY_DERIVE_HELPERS,
1082                             node_id,
1083                             ident.span,
1084                             "derive helper attribute is used before it is introduced",
1085                             BuiltinLintDiagnostics::LegacyDeriveHelpers(binding.span),
1086                         );
1087                     }
1088                 }
1089                 Err(..) => {
1090                     let expected = kind.descr_expected();
1091                     let msg = format!("cannot find {} `{}` in this scope", expected, ident);
1092                     let mut err = self.session.struct_span_err(ident.span, &msg);
1093                     self.unresolved_macro_suggestions(&mut err, kind, &parent_scope, ident);
1094                     err.emit();
1095                 }
1096             }
1097         }
1098
1099         let builtin_attrs = mem::take(&mut self.builtin_attrs);
1100         for (ident, parent_scope) in builtin_attrs {
1101             let _ = self.early_resolve_ident_in_lexical_scope(
1102                 ident,
1103                 ScopeSet::Macro(MacroKind::Attr),
1104                 &parent_scope,
1105                 true,
1106                 true,
1107                 ident.span,
1108             );
1109         }
1110     }
1111
1112     fn check_stability_and_deprecation(
1113         &mut self,
1114         ext: &SyntaxExtension,
1115         path: &ast::Path,
1116         node_id: NodeId,
1117     ) {
1118         let span = path.span;
1119         if let Some(stability) = &ext.stability {
1120             if let StabilityLevel::Unstable { reason, issue, is_soft } = stability.level {
1121                 let feature = stability.feature;
1122                 if !self.active_features.contains(&feature) && !span.allows_unstable(feature) {
1123                     let lint_buffer = &mut self.lint_buffer;
1124                     let soft_handler =
1125                         |lint, span, msg: &_| lint_buffer.buffer_lint(lint, node_id, span, msg);
1126                     stability::report_unstable(
1127                         self.session,
1128                         feature,
1129                         reason,
1130                         issue,
1131                         is_soft,
1132                         span,
1133                         soft_handler,
1134                     );
1135                 }
1136             }
1137         }
1138         if let Some(depr) = &ext.deprecation {
1139             let path = pprust::path_to_string(&path);
1140             let (message, lint) = stability::deprecation_message_and_lint(depr, "macro", &path);
1141             stability::early_report_deprecation(
1142                 &mut self.lint_buffer,
1143                 &message,
1144                 depr.suggestion,
1145                 lint,
1146                 span,
1147                 node_id,
1148             );
1149         }
1150     }
1151
1152     fn prohibit_imported_non_macro_attrs(
1153         &self,
1154         binding: Option<&'a NameBinding<'a>>,
1155         res: Option<Res>,
1156         span: Span,
1157     ) {
1158         if let Some(Res::NonMacroAttr(kind)) = res {
1159             if kind != NonMacroAttrKind::Tool && binding.map_or(true, |b| b.is_import()) {
1160                 let msg =
1161                     format!("cannot use {} {} through an import", kind.article(), kind.descr());
1162                 let mut err = self.session.struct_span_err(span, &msg);
1163                 if let Some(binding) = binding {
1164                     err.span_note(binding.span, &format!("the {} imported here", kind.descr()));
1165                 }
1166                 err.emit();
1167             }
1168         }
1169     }
1170
1171     crate fn check_reserved_macro_name(&mut self, ident: Ident, res: Res) {
1172         // Reserve some names that are not quite covered by the general check
1173         // performed on `Resolver::builtin_attrs`.
1174         if ident.name == sym::cfg || ident.name == sym::cfg_attr {
1175             let macro_kind = self.get_macro(res).map(|ext| ext.macro_kind());
1176             if macro_kind.is_some() && sub_namespace_match(macro_kind, Some(MacroKind::Attr)) {
1177                 self.session.span_err(
1178                     ident.span,
1179                     &format!("name `{}` is reserved in attribute namespace", ident),
1180                 );
1181             }
1182         }
1183     }
1184
1185     /// Compile the macro into a `SyntaxExtension` and possibly replace
1186     /// its expander to a pre-defined one for built-in macros.
1187     crate fn compile_macro(&mut self, item: &ast::Item, edition: Edition) -> SyntaxExtension {
1188         let mut result = compile_declarative_macro(
1189             &self.session,
1190             self.session.features_untracked(),
1191             item,
1192             edition,
1193         );
1194
1195         if let Some(builtin_name) = result.builtin_name {
1196             // The macro was marked with `#[rustc_builtin_macro]`.
1197             if let Some(builtin_macro) = self.builtin_macros.get_mut(&builtin_name) {
1198                 // The macro is a built-in, replace its expander function
1199                 // while still taking everything else from the source code.
1200                 // If we already loaded this builtin macro, give a better error message than 'no such builtin macro'.
1201                 match mem::replace(builtin_macro, BuiltinMacroState::AlreadySeen(item.span)) {
1202                     BuiltinMacroState::NotYetSeen(ext) => result.kind = ext,
1203                     BuiltinMacroState::AlreadySeen(span) => {
1204                         struct_span_err!(
1205                             self.session,
1206                             item.span,
1207                             E0773,
1208                             "attempted to define built-in macro more than once"
1209                         )
1210                         .span_note(span, "previously defined here")
1211                         .emit();
1212                     }
1213                 }
1214             } else {
1215                 let msg = format!("cannot find a built-in macro with name `{}`", item.ident);
1216                 self.session.span_err(item.span, &msg);
1217             }
1218         }
1219
1220         result
1221     }
1222 }