rustc_codegen_ssa/
codegen_attrs.rs

1use std::str::FromStr;
2
3use rustc_abi::{Align, ExternAbi};
4use rustc_ast::expand::autodiff_attrs::{AutoDiffAttrs, DiffActivity, DiffMode};
5use rustc_ast::{LitKind, MetaItem, MetaItemInner, attr};
6use rustc_hir::attrs::{AttributeKind, InlineAttr, InstructionSetAttr, UsedBy};
7use rustc_hir::def::DefKind;
8use rustc_hir::def_id::{DefId, LOCAL_CRATE, LocalDefId};
9use rustc_hir::{self as hir, Attribute, LangItem, find_attr, lang_items};
10use rustc_middle::middle::codegen_fn_attrs::{
11    CodegenFnAttrFlags, CodegenFnAttrs, PatchableFunctionEntry,
12};
13use rustc_middle::query::Providers;
14use rustc_middle::span_bug;
15use rustc_middle::ty::{self as ty, TyCtxt};
16use rustc_session::lint;
17use rustc_session::parse::feature_err;
18use rustc_span::{Ident, Span, sym};
19use rustc_target::spec::SanitizerSet;
20
21use crate::errors;
22use crate::errors::NoMangleNameless;
23use crate::target_features::{
24    check_target_feature_trait_unsafe, check_tied_features, from_target_feature_attr,
25};
26
27/// In some cases, attributes are only valid on functions, but it's the `check_attr`
28/// pass that checks that they aren't used anywhere else, rather than this module.
29/// In these cases, we bail from performing further checks that are only meaningful for
30/// functions (such as calling `fn_sig`, which ICEs if given a non-function). We also
31/// report a delayed bug, just in case `check_attr` isn't doing its job.
32fn try_fn_sig<'tcx>(
33    tcx: TyCtxt<'tcx>,
34    did: LocalDefId,
35    attr_span: Span,
36) -> Option<ty::EarlyBinder<'tcx, ty::PolyFnSig<'tcx>>> {
37    use DefKind::*;
38
39    let def_kind = tcx.def_kind(did);
40    if let Fn | AssocFn | Variant | Ctor(..) = def_kind {
41        Some(tcx.fn_sig(did))
42    } else {
43        tcx.dcx().span_delayed_bug(attr_span, "this attribute can only be applied to functions");
44        None
45    }
46}
47
48// FIXME(jdonszelmann): remove when instruction_set becomes a parsed attr
49fn parse_instruction_set_attr(tcx: TyCtxt<'_>, attr: &Attribute) -> Option<InstructionSetAttr> {
50    let list = attr.meta_item_list()?;
51
52    match &list[..] {
53        [MetaItemInner::MetaItem(set)] => {
54            let segments = set.path.segments.iter().map(|x| x.ident.name).collect::<Vec<_>>();
55            match segments.as_slice() {
56                [sym::arm, sym::a32 | sym::t32] if !tcx.sess.target.has_thumb_interworking => {
57                    tcx.dcx().emit_err(errors::UnsupportedInstructionSet { span: attr.span() });
58                    None
59                }
60                [sym::arm, sym::a32] => Some(InstructionSetAttr::ArmA32),
61                [sym::arm, sym::t32] => Some(InstructionSetAttr::ArmT32),
62                _ => {
63                    tcx.dcx().emit_err(errors::InvalidInstructionSet { span: attr.span() });
64                    None
65                }
66            }
67        }
68        [] => {
69            tcx.dcx().emit_err(errors::BareInstructionSet { span: attr.span() });
70            None
71        }
72        _ => {
73            tcx.dcx().emit_err(errors::MultipleInstructionSet { span: attr.span() });
74            None
75        }
76    }
77}
78
79// FIXME(jdonszelmann): remove when patchable_function_entry becomes a parsed attr
80fn parse_patchable_function_entry(
81    tcx: TyCtxt<'_>,
82    attr: &Attribute,
83) -> Option<PatchableFunctionEntry> {
84    attr.meta_item_list().and_then(|l| {
85        let mut prefix = None;
86        let mut entry = None;
87        for item in l {
88            let Some(meta_item) = item.meta_item() else {
89                tcx.dcx().emit_err(errors::ExpectedNameValuePair { span: item.span() });
90                continue;
91            };
92
93            let Some(name_value_lit) = meta_item.name_value_literal() else {
94                tcx.dcx().emit_err(errors::ExpectedNameValuePair { span: item.span() });
95                continue;
96            };
97
98            let attrib_to_write = match meta_item.name() {
99                Some(sym::prefix_nops) => &mut prefix,
100                Some(sym::entry_nops) => &mut entry,
101                _ => {
102                    tcx.dcx().emit_err(errors::UnexpectedParameterName {
103                        span: item.span(),
104                        prefix_nops: sym::prefix_nops,
105                        entry_nops: sym::entry_nops,
106                    });
107                    continue;
108                }
109            };
110
111            let rustc_ast::LitKind::Int(val, _) = name_value_lit.kind else {
112                tcx.dcx().emit_err(errors::InvalidLiteralValue { span: name_value_lit.span });
113                continue;
114            };
115
116            let Ok(val) = val.get().try_into() else {
117                tcx.dcx().emit_err(errors::OutOfRangeInteger { span: name_value_lit.span });
118                continue;
119            };
120
121            *attrib_to_write = Some(val);
122        }
123
124        if let (None, None) = (prefix, entry) {
125            tcx.dcx().span_err(attr.span(), "must specify at least one parameter");
126        }
127
128        Some(PatchableFunctionEntry::from_prefix_and_entry(prefix.unwrap_or(0), entry.unwrap_or(0)))
129    })
130}
131
132/// Spans that are collected when processing built-in attributes,
133/// that are useful for emitting diagnostics later.
134#[derive(Default)]
135struct InterestingAttributeDiagnosticSpans {
136    link_ordinal: Option<Span>,
137    sanitize: Option<Span>,
138    inline: Option<Span>,
139    no_mangle: Option<Span>,
140}
141
142/// Process the builtin attrs ([`hir::Attribute`]) on the item.
143/// Many of them directly translate to codegen attrs.
144fn process_builtin_attrs(
145    tcx: TyCtxt<'_>,
146    did: LocalDefId,
147    attrs: &[Attribute],
148    codegen_fn_attrs: &mut CodegenFnAttrs,
149) -> InterestingAttributeDiagnosticSpans {
150    let mut interesting_spans = InterestingAttributeDiagnosticSpans::default();
151    let rust_target_features = tcx.rust_target_features(LOCAL_CRATE);
152
153    for attr in attrs.iter() {
154        if let hir::Attribute::Parsed(p) = attr {
155            match p {
156                AttributeKind::Cold(_) => codegen_fn_attrs.flags |= CodegenFnAttrFlags::COLD,
157                AttributeKind::ExportName { name, .. } => {
158                    codegen_fn_attrs.symbol_name = Some(*name)
159                }
160                AttributeKind::Inline(inline, span) => {
161                    codegen_fn_attrs.inline = *inline;
162                    interesting_spans.inline = Some(*span);
163                }
164                AttributeKind::Naked(_) => codegen_fn_attrs.flags |= CodegenFnAttrFlags::NAKED,
165                AttributeKind::Align { align, .. } => codegen_fn_attrs.alignment = Some(*align),
166                AttributeKind::LinkName { name, .. } => {
167                    // FIXME Remove check for foreign functions once #[link_name] on non-foreign
168                    // functions is a hard error
169                    if tcx.is_foreign_item(did) {
170                        codegen_fn_attrs.symbol_name = Some(*name);
171                    }
172                }
173                AttributeKind::LinkOrdinal { ordinal, span } => {
174                    codegen_fn_attrs.link_ordinal = Some(*ordinal);
175                    interesting_spans.link_ordinal = Some(*span);
176                }
177                AttributeKind::LinkSection { name, .. } => {
178                    codegen_fn_attrs.link_section = Some(*name)
179                }
180                AttributeKind::NoMangle(attr_span) => {
181                    interesting_spans.no_mangle = Some(*attr_span);
182                    if tcx.opt_item_name(did.to_def_id()).is_some() {
183                        codegen_fn_attrs.flags |= CodegenFnAttrFlags::NO_MANGLE;
184                    } else {
185                        tcx.dcx().emit_err(NoMangleNameless {
186                            span: *attr_span,
187                            definition: format!(
188                                "{} {}",
189                                tcx.def_descr_article(did.to_def_id()),
190                                tcx.def_descr(did.to_def_id())
191                            ),
192                        });
193                    }
194                }
195                AttributeKind::Optimize(optimize, _) => codegen_fn_attrs.optimize = *optimize,
196                AttributeKind::TargetFeature { features, attr_span, was_forced } => {
197                    let Some(sig) = tcx.hir_node_by_def_id(did).fn_sig() else {
198                        tcx.dcx().span_delayed_bug(*attr_span, "target_feature applied to non-fn");
199                        continue;
200                    };
201                    let safe_target_features =
202                        matches!(sig.header.safety, hir::HeaderSafety::SafeTargetFeatures);
203                    codegen_fn_attrs.safe_target_features = safe_target_features;
204                    if safe_target_features && !was_forced {
205                        if tcx.sess.target.is_like_wasm || tcx.sess.opts.actually_rustdoc {
206                            // The `#[target_feature]` attribute is allowed on
207                            // WebAssembly targets on all functions. Prior to stabilizing
208                            // the `target_feature_11` feature, `#[target_feature]` was
209                            // only permitted on unsafe functions because on most targets
210                            // execution of instructions that are not supported is
211                            // considered undefined behavior. For WebAssembly which is a
212                            // 100% safe target at execution time it's not possible to
213                            // execute undefined instructions, and even if a future
214                            // feature was added in some form for this it would be a
215                            // deterministic trap. There is no undefined behavior when
216                            // executing WebAssembly so `#[target_feature]` is allowed
217                            // on safe functions (but again, only for WebAssembly)
218                            //
219                            // Note that this is also allowed if `actually_rustdoc` so
220                            // if a target is documenting some wasm-specific code then
221                            // it's not spuriously denied.
222                            //
223                            // Now that `#[target_feature]` is permitted on safe functions,
224                            // this exception must still exist for allowing the attribute on
225                            // `main`, `start`, and other functions that are not usually
226                            // allowed.
227                        } else {
228                            check_target_feature_trait_unsafe(tcx, did, *attr_span);
229                        }
230                    }
231                    from_target_feature_attr(
232                        tcx,
233                        did,
234                        features,
235                        *was_forced,
236                        rust_target_features,
237                        &mut codegen_fn_attrs.target_features,
238                    );
239                }
240                AttributeKind::TrackCaller(attr_span) => {
241                    let is_closure = tcx.is_closure_like(did.to_def_id());
242
243                    if !is_closure
244                        && let Some(fn_sig) = try_fn_sig(tcx, did, *attr_span)
245                        && fn_sig.skip_binder().abi() != ExternAbi::Rust
246                    {
247                        tcx.dcx().emit_err(errors::RequiresRustAbi { span: *attr_span });
248                    }
249                    if is_closure
250                        && !tcx.features().closure_track_caller()
251                        && !attr_span.allows_unstable(sym::closure_track_caller)
252                    {
253                        feature_err(
254                            &tcx.sess,
255                            sym::closure_track_caller,
256                            *attr_span,
257                            "`#[track_caller]` on closures is currently unstable",
258                        )
259                        .emit();
260                    }
261                    codegen_fn_attrs.flags |= CodegenFnAttrFlags::TRACK_CALLER
262                }
263                AttributeKind::Used { used_by, .. } => match used_by {
264                    UsedBy::Compiler => codegen_fn_attrs.flags |= CodegenFnAttrFlags::USED_COMPILER,
265                    UsedBy::Linker => codegen_fn_attrs.flags |= CodegenFnAttrFlags::USED_LINKER,
266                },
267                AttributeKind::FfiConst(_) => {
268                    codegen_fn_attrs.flags |= CodegenFnAttrFlags::FFI_CONST
269                }
270                AttributeKind::FfiPure(_) => codegen_fn_attrs.flags |= CodegenFnAttrFlags::FFI_PURE,
271                AttributeKind::StdInternalSymbol(_) => {
272                    codegen_fn_attrs.flags |= CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL
273                }
274                AttributeKind::Linkage(linkage, _) => {
275                    let linkage = Some(*linkage);
276
277                    if tcx.is_foreign_item(did) {
278                        codegen_fn_attrs.import_linkage = linkage;
279
280                        if tcx.is_mutable_static(did.into()) {
281                            let mut diag = tcx.dcx().struct_span_err(
282                                attr.span(),
283                                "extern mutable statics are not allowed with `#[linkage]`",
284                            );
285                            diag.note(
286                                "marking the extern static mutable would allow changing which \
287                                symbol the static references rather than make the target of the \
288                                symbol mutable",
289                            );
290                            diag.emit();
291                        }
292                    } else {
293                        codegen_fn_attrs.linkage = linkage;
294                    }
295                }
296                AttributeKind::Sanitize { span, .. } => {
297                    interesting_spans.sanitize = Some(*span);
298                }
299                AttributeKind::ObjcClass { classname, .. } => {
300                    codegen_fn_attrs.objc_class = Some(*classname);
301                }
302                AttributeKind::ObjcSelector { methname, .. } => {
303                    codegen_fn_attrs.objc_selector = Some(*methname);
304                }
305                _ => {}
306            }
307        }
308
309        let Some(Ident { name, .. }) = attr.ident() else {
310            continue;
311        };
312
313        match name {
314            sym::rustc_allocator => codegen_fn_attrs.flags |= CodegenFnAttrFlags::ALLOCATOR,
315            sym::rustc_nounwind => codegen_fn_attrs.flags |= CodegenFnAttrFlags::NEVER_UNWIND,
316            sym::rustc_reallocator => codegen_fn_attrs.flags |= CodegenFnAttrFlags::REALLOCATOR,
317            sym::rustc_deallocator => codegen_fn_attrs.flags |= CodegenFnAttrFlags::DEALLOCATOR,
318            sym::rustc_allocator_zeroed => {
319                codegen_fn_attrs.flags |= CodegenFnAttrFlags::ALLOCATOR_ZEROED
320            }
321            sym::thread_local => codegen_fn_attrs.flags |= CodegenFnAttrFlags::THREAD_LOCAL,
322            sym::instruction_set => {
323                codegen_fn_attrs.instruction_set = parse_instruction_set_attr(tcx, attr)
324            }
325            sym::patchable_function_entry => {
326                codegen_fn_attrs.patchable_function_entry =
327                    parse_patchable_function_entry(tcx, attr);
328            }
329            _ => {}
330        }
331    }
332
333    interesting_spans
334}
335
336/// Applies overrides for codegen fn attrs. These often have a specific reason why they're necessary.
337/// Please comment why when adding a new one!
338fn apply_overrides(tcx: TyCtxt<'_>, did: LocalDefId, codegen_fn_attrs: &mut CodegenFnAttrs) {
339    // Apply the minimum function alignment here. This ensures that a function's alignment is
340    // determined by the `-C` flags of the crate it is defined in, not the `-C` flags of the crate
341    // it happens to be codegen'd (or const-eval'd) in.
342    codegen_fn_attrs.alignment =
343        Ord::max(codegen_fn_attrs.alignment, tcx.sess.opts.unstable_opts.min_function_alignment);
344
345    // Compute the disabled sanitizers.
346    codegen_fn_attrs.no_sanitize |= tcx.disabled_sanitizers_for(did);
347    // On trait methods, inherit the `#[align]` of the trait's method prototype.
348    codegen_fn_attrs.alignment = Ord::max(codegen_fn_attrs.alignment, tcx.inherited_align(did));
349
350    // naked function MUST NOT be inlined! This attribute is required for the rust compiler itself,
351    // but not for the code generation backend because at that point the naked function will just be
352    // a declaration, with a definition provided in global assembly.
353    if codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::NAKED) {
354        codegen_fn_attrs.inline = InlineAttr::Never;
355    }
356
357    // #73631: closures inherit `#[target_feature]` annotations
358    //
359    // If this closure is marked `#[inline(always)]`, simply skip adding `#[target_feature]`.
360    //
361    // At this point, `unsafe` has already been checked and `#[target_feature]` only affects codegen.
362    // Due to LLVM limitations, emitting both `#[inline(always)]` and `#[target_feature]` is *unsound*:
363    // the function may be inlined into a caller with fewer target features. Also see
364    // <https://github.com/rust-lang/rust/issues/116573>.
365    //
366    // Using `#[inline(always)]` implies that this closure will most likely be inlined into
367    // its parent function, which effectively inherits the features anyway. Boxing this closure
368    // would result in this closure being compiled without the inherited target features, but this
369    // is probably a poor usage of `#[inline(always)]` and easily avoided by not using the attribute.
370    if tcx.is_closure_like(did.to_def_id()) && codegen_fn_attrs.inline != InlineAttr::Always {
371        let owner_id = tcx.parent(did.to_def_id());
372        if tcx.def_kind(owner_id).has_codegen_attrs() {
373            codegen_fn_attrs
374                .target_features
375                .extend(tcx.codegen_fn_attrs(owner_id).target_features.iter().copied());
376        }
377    }
378
379    // When `no_builtins` is applied at the crate level, we should add the
380    // `no-builtins` attribute to each function to ensure it takes effect in LTO.
381    let crate_attrs = tcx.hir_attrs(rustc_hir::CRATE_HIR_ID);
382    let no_builtins = attr::contains_name(crate_attrs, sym::no_builtins);
383    if no_builtins {
384        codegen_fn_attrs.flags |= CodegenFnAttrFlags::NO_BUILTINS;
385    }
386
387    // inherit track-caller properly
388    if tcx.should_inherit_track_caller(did) {
389        codegen_fn_attrs.flags |= CodegenFnAttrFlags::TRACK_CALLER;
390    }
391
392    // Foreign items by default use no mangling for their symbol name.
393    if tcx.is_foreign_item(did) {
394        codegen_fn_attrs.flags |= CodegenFnAttrFlags::FOREIGN_ITEM;
395
396        // There's a few exceptions to this rule though:
397        if codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL) {
398            // * `#[rustc_std_internal_symbol]` mangles the symbol name in a special way
399            //   both for exports and imports through foreign items. This is handled further,
400            //   during symbol mangling logic.
401        } else if codegen_fn_attrs.symbol_name.is_some() {
402            // * This can be overridden with the `#[link_name]` attribute
403        } else {
404            // NOTE: there's one more exception that we cannot apply here. On wasm,
405            // some items cannot be `no_mangle`.
406            // However, we don't have enough information here to determine that.
407            // As such, no_mangle foreign items on wasm that have the same defid as some
408            // import will *still* be mangled despite this.
409            //
410            // if none of the exceptions apply; apply no_mangle
411            codegen_fn_attrs.flags |= CodegenFnAttrFlags::NO_MANGLE;
412        }
413    }
414}
415
416fn check_result(
417    tcx: TyCtxt<'_>,
418    did: LocalDefId,
419    interesting_spans: InterestingAttributeDiagnosticSpans,
420    codegen_fn_attrs: &CodegenFnAttrs,
421) {
422    // If a function uses `#[target_feature]` it can't be inlined into general
423    // purpose functions as they wouldn't have the right target features
424    // enabled. For that reason we also forbid `#[inline(always)]` as it can't be
425    // respected.
426    //
427    // `#[rustc_force_inline]` doesn't need to be prohibited here, only
428    // `#[inline(always)]`, as forced inlining is implemented entirely within
429    // rustc (and so the MIR inliner can do any necessary checks for compatible target
430    // features).
431    //
432    // This sidesteps the LLVM blockers in enabling `target_features` +
433    // `inline(always)` to be used together (see rust-lang/rust#116573 and
434    // llvm/llvm-project#70563).
435    if !codegen_fn_attrs.target_features.is_empty()
436        && matches!(codegen_fn_attrs.inline, InlineAttr::Always)
437        && !tcx.features().target_feature_inline_always()
438        && let Some(span) = interesting_spans.inline
439    {
440        feature_err(
441            tcx.sess,
442            sym::target_feature_inline_always,
443            span,
444            "cannot use `#[inline(always)]` with `#[target_feature]`",
445        )
446        .emit();
447    }
448
449    // warn that inline has no effect when no_sanitize is present
450    if !codegen_fn_attrs.no_sanitize.is_empty()
451        && codegen_fn_attrs.inline.always()
452        && let (Some(no_sanitize_span), Some(inline_span)) =
453            (interesting_spans.sanitize, interesting_spans.inline)
454    {
455        let hir_id = tcx.local_def_id_to_hir_id(did);
456        tcx.node_span_lint(lint::builtin::INLINE_NO_SANITIZE, hir_id, no_sanitize_span, |lint| {
457            lint.primary_message("setting `sanitize` off will have no effect after inlining");
458            lint.span_note(inline_span, "inlining requested here");
459        })
460    }
461
462    // error when specifying link_name together with link_ordinal
463    if let Some(_) = codegen_fn_attrs.symbol_name
464        && let Some(_) = codegen_fn_attrs.link_ordinal
465    {
466        let msg = "cannot use `#[link_name]` with `#[link_ordinal]`";
467        if let Some(span) = interesting_spans.link_ordinal {
468            tcx.dcx().span_err(span, msg);
469        } else {
470            tcx.dcx().err(msg);
471        }
472    }
473
474    if let Some(features) = check_tied_features(
475        tcx.sess,
476        &codegen_fn_attrs
477            .target_features
478            .iter()
479            .map(|features| (features.name.as_str(), true))
480            .collect(),
481    ) {
482        let span =
483            find_attr!(tcx.get_all_attrs(did), AttributeKind::TargetFeature{attr_span: span, ..} => *span)
484                .unwrap_or_else(|| tcx.def_span(did));
485
486        tcx.dcx()
487            .create_err(errors::TargetFeatureDisableOrEnable {
488                features,
489                span: Some(span),
490                missing_features: Some(errors::MissingFeatures),
491            })
492            .emit();
493    }
494}
495
496fn handle_lang_items(
497    tcx: TyCtxt<'_>,
498    did: LocalDefId,
499    interesting_spans: &InterestingAttributeDiagnosticSpans,
500    attrs: &[Attribute],
501    codegen_fn_attrs: &mut CodegenFnAttrs,
502) {
503    let lang_item = lang_items::extract(attrs).and_then(|(name, _)| LangItem::from_name(name));
504
505    // Weak lang items have the same semantics as "std internal" symbols in the
506    // sense that they're preserved through all our LTO passes and only
507    // strippable by the linker.
508    //
509    // Additionally weak lang items have predetermined symbol names.
510    if let Some(lang_item) = lang_item
511        && let Some(link_name) = lang_item.link_name()
512    {
513        codegen_fn_attrs.flags |= CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL;
514        codegen_fn_attrs.symbol_name = Some(link_name);
515    }
516
517    // error when using no_mangle on a lang item item
518    if codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::RUSTC_STD_INTERNAL_SYMBOL)
519        && codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::NO_MANGLE)
520    {
521        let mut err = tcx
522            .dcx()
523            .struct_span_err(
524                interesting_spans.no_mangle.unwrap_or_default(),
525                "`#[no_mangle]` cannot be used on internal language items",
526            )
527            .with_note("Rustc requires this item to have a specific mangled name.")
528            .with_span_label(tcx.def_span(did), "should be the internal language item");
529        if let Some(lang_item) = lang_item
530            && let Some(link_name) = lang_item.link_name()
531        {
532            err = err
533                .with_note("If you are trying to prevent mangling to ease debugging, many")
534                .with_note(format!("debuggers support a command such as `rbreak {link_name}` to"))
535                .with_note(format!(
536                    "match `.*{link_name}.*` instead of `break {link_name}` on a specific name"
537                ))
538        }
539        err.emit();
540    }
541}
542
543/// Generate the [`CodegenFnAttrs`] for an item (identified by the [`LocalDefId`]).
544///
545/// This happens in 4 stages:
546/// - apply built-in attributes that directly translate to codegen attributes.
547/// - handle lang items. These have special codegen attrs applied to them.
548/// - apply overrides, like minimum requirements for alignment and other settings that don't rely directly the built-in attrs on the item.
549///   overrides come after applying built-in attributes since they may only apply when certain attributes were already set in the stage before.
550/// - check that the result is valid. There's various ways in which this may not be the case, such as certain combinations of attrs.
551fn codegen_fn_attrs(tcx: TyCtxt<'_>, did: LocalDefId) -> CodegenFnAttrs {
552    if cfg!(debug_assertions) {
553        let def_kind = tcx.def_kind(did);
554        assert!(
555            def_kind.has_codegen_attrs(),
556            "unexpected `def_kind` in `codegen_fn_attrs`: {def_kind:?}",
557        );
558    }
559
560    let mut codegen_fn_attrs = CodegenFnAttrs::new();
561    let attrs = tcx.hir_attrs(tcx.local_def_id_to_hir_id(did));
562
563    let interesting_spans = process_builtin_attrs(tcx, did, attrs, &mut codegen_fn_attrs);
564    handle_lang_items(tcx, did, &interesting_spans, attrs, &mut codegen_fn_attrs);
565    apply_overrides(tcx, did, &mut codegen_fn_attrs);
566    check_result(tcx, did, interesting_spans, &codegen_fn_attrs);
567
568    codegen_fn_attrs
569}
570
571fn disabled_sanitizers_for(tcx: TyCtxt<'_>, did: LocalDefId) -> SanitizerSet {
572    // Backtrack to the crate root.
573    let mut disabled = match tcx.opt_local_parent(did) {
574        // Check the parent (recursively).
575        Some(parent) => tcx.disabled_sanitizers_for(parent),
576        // We reached the crate root without seeing an attribute, so
577        // there is no sanitizers to exclude.
578        None => SanitizerSet::empty(),
579    };
580
581    // Check for a sanitize annotation directly on this def.
582    if let Some((on_set, off_set)) = find_attr!(tcx.get_all_attrs(did), AttributeKind::Sanitize {on_set, off_set, ..} => (on_set, off_set))
583    {
584        // the on set is the set of sanitizers explicitly enabled.
585        // we mask those out since we want the set of disabled sanitizers here
586        disabled &= !*on_set;
587        // the off set is the set of sanitizers explicitly disabled.
588        // we or those in here.
589        disabled |= *off_set;
590        // the on set and off set are distjoint since there's a third option: unset.
591        // a node may not set the sanitizer setting in which case it inherits from parents.
592        // the code above in this function does this backtracking
593    }
594    disabled
595}
596
597/// Checks if the provided DefId is a method in a trait impl for a trait which has track_caller
598/// applied to the method prototype.
599fn should_inherit_track_caller(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
600    tcx.trait_item_of(def_id).is_some_and(|id| {
601        tcx.codegen_fn_attrs(id).flags.intersects(CodegenFnAttrFlags::TRACK_CALLER)
602    })
603}
604
605/// If the provided DefId is a method in a trait impl, return the value of the `#[align]`
606/// attribute on the method prototype (if any).
607fn inherited_align<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> Option<Align> {
608    tcx.codegen_fn_attrs(tcx.trait_item_of(def_id)?).alignment
609}
610
611/// We now check the #\[rustc_autodiff\] attributes which we generated from the #[autodiff(...)]
612/// macros. There are two forms. The pure one without args to mark primal functions (the functions
613/// being differentiated). The other form is #[rustc_autodiff(Mode, ActivityList)] on top of the
614/// placeholder functions. We wrote the rustc_autodiff attributes ourself, so this should never
615/// panic, unless we introduced a bug when parsing the autodiff macro.
616//FIXME(jdonszelmann): put in the main loop. No need to have two..... :/ Let's do that when we make autodiff parsed.
617pub fn autodiff_attrs(tcx: TyCtxt<'_>, id: DefId) -> Option<AutoDiffAttrs> {
618    let attrs = tcx.get_attrs(id, sym::rustc_autodiff);
619
620    let attrs = attrs.filter(|attr| attr.has_name(sym::rustc_autodiff)).collect::<Vec<_>>();
621
622    // check for exactly one autodiff attribute on placeholder functions.
623    // There should only be one, since we generate a new placeholder per ad macro.
624    let attr = match &attrs[..] {
625        [] => return None,
626        [attr] => attr,
627        _ => {
628            span_bug!(attrs[1].span(), "cg_ssa: rustc_autodiff should only exist once per source");
629        }
630    };
631
632    let list = attr.meta_item_list().unwrap_or_default();
633
634    // empty autodiff attribute macros (i.e. `#[autodiff]`) are used to mark source functions
635    if list.is_empty() {
636        return Some(AutoDiffAttrs::source());
637    }
638
639    let [mode, width_meta, input_activities @ .., ret_activity] = &list[..] else {
640        span_bug!(attr.span(), "rustc_autodiff attribute must contain mode, width and activities");
641    };
642    let mode = if let MetaItemInner::MetaItem(MetaItem { path: p1, .. }) = mode {
643        p1.segments.first().unwrap().ident
644    } else {
645        span_bug!(attr.span(), "rustc_autodiff attribute must contain mode");
646    };
647
648    // parse mode
649    let mode = match mode.as_str() {
650        "Forward" => DiffMode::Forward,
651        "Reverse" => DiffMode::Reverse,
652        _ => {
653            span_bug!(mode.span, "rustc_autodiff attribute contains invalid mode");
654        }
655    };
656
657    let width: u32 = match width_meta {
658        MetaItemInner::MetaItem(MetaItem { path: p1, .. }) => {
659            let w = p1.segments.first().unwrap().ident;
660            match w.as_str().parse() {
661                Ok(val) => val,
662                Err(_) => {
663                    span_bug!(w.span, "rustc_autodiff width should fit u32");
664                }
665            }
666        }
667        MetaItemInner::Lit(lit) => {
668            if let LitKind::Int(val, _) = lit.kind {
669                match val.get().try_into() {
670                    Ok(val) => val,
671                    Err(_) => {
672                        span_bug!(lit.span, "rustc_autodiff width should fit u32");
673                    }
674                }
675            } else {
676                span_bug!(lit.span, "rustc_autodiff width should be an integer");
677            }
678        }
679    };
680
681    // First read the ret symbol from the attribute
682    let ret_symbol = if let MetaItemInner::MetaItem(MetaItem { path: p1, .. }) = ret_activity {
683        p1.segments.first().unwrap().ident
684    } else {
685        span_bug!(attr.span(), "rustc_autodiff attribute must contain the return activity");
686    };
687
688    // Then parse it into an actual DiffActivity
689    let Ok(ret_activity) = DiffActivity::from_str(ret_symbol.as_str()) else {
690        span_bug!(ret_symbol.span, "invalid return activity");
691    };
692
693    // Now parse all the intermediate (input) activities
694    let mut arg_activities: Vec<DiffActivity> = vec![];
695    for arg in input_activities {
696        let arg_symbol = if let MetaItemInner::MetaItem(MetaItem { path: p2, .. }) = arg {
697            match p2.segments.first() {
698                Some(x) => x.ident,
699                None => {
700                    span_bug!(
701                        arg.span(),
702                        "rustc_autodiff attribute must contain the input activity"
703                    );
704                }
705            }
706        } else {
707            span_bug!(arg.span(), "rustc_autodiff attribute must contain the input activity");
708        };
709
710        match DiffActivity::from_str(arg_symbol.as_str()) {
711            Ok(arg_activity) => arg_activities.push(arg_activity),
712            Err(_) => {
713                span_bug!(arg_symbol.span, "invalid input activity");
714            }
715        }
716    }
717
718    Some(AutoDiffAttrs { mode, width, ret_activity, input_activity: arg_activities })
719}
720
721pub(crate) fn provide(providers: &mut Providers) {
722    *providers = Providers {
723        codegen_fn_attrs,
724        should_inherit_track_caller,
725        inherited_align,
726        disabled_sanitizers_for,
727        ..*providers
728    };
729}