Auto merge of #139996 - matthiaskrgr:rollup-0nka2hw, r=matthiaskrgr
Rollup of 7 pull requests Successful merges: - #138528 (deref patterns: implement implicit deref patterns) - #139393 (rustdoc-json: Output target feature information) - #139553 (sync::mpsc: prevent double free on `Drop`) - #139615 (Remove `name_or_empty`) - #139853 (Disable combining LLD with external llvm-config) - #139913 (rustdoc/clean: Fix lowering of fn params (fixes correctness & HIR vs. middle parity regressions)) - #139942 (Ignore aix for tests/ui/erros/pic-linker.rs) r? `@ghost` `@rustbot` modify labels: rollup
This commit is contained in:
commit
191df20fca
114 changed files with 1839 additions and 642 deletions
|
@ -305,8 +305,8 @@ impl MetaItem {
|
|||
if let [PathSegment { ident, .. }] = self.path.segments[..] { Some(ident) } else { None }
|
||||
}
|
||||
|
||||
pub fn name_or_empty(&self) -> Symbol {
|
||||
self.ident().unwrap_or_else(Ident::empty).name
|
||||
pub fn name(&self) -> Option<Symbol> {
|
||||
self.ident().map(|ident| ident.name)
|
||||
}
|
||||
|
||||
pub fn has_name(&self, name: Symbol) -> bool {
|
||||
|
@ -511,13 +511,14 @@ impl MetaItemInner {
|
|||
}
|
||||
}
|
||||
|
||||
/// For a single-segment meta item, returns its name; otherwise, returns `None`.
|
||||
/// For a single-segment meta item, returns its identifier; otherwise, returns `None`.
|
||||
pub fn ident(&self) -> Option<Ident> {
|
||||
self.meta_item().and_then(|meta_item| meta_item.ident())
|
||||
}
|
||||
|
||||
pub fn name_or_empty(&self) -> Symbol {
|
||||
self.ident().unwrap_or_else(Ident::empty).name
|
||||
/// For a single-segment meta item, returns its name; otherwise, returns `None`.
|
||||
pub fn name(&self) -> Option<Symbol> {
|
||||
self.ident().map(|ident| ident.name)
|
||||
}
|
||||
|
||||
/// Returns `true` if this list item is a MetaItem with a name of `name`.
|
||||
|
@ -738,9 +739,9 @@ pub trait AttributeExt: Debug {
|
|||
fn id(&self) -> AttrId;
|
||||
|
||||
/// For a single-segment attribute (i.e., `#[attr]` and not `#[path::atrr]`),
|
||||
/// return the name of the attribute, else return the empty identifier.
|
||||
fn name_or_empty(&self) -> Symbol {
|
||||
self.ident().unwrap_or_else(Ident::empty).name
|
||||
/// return the name of the attribute; otherwise, returns `None`.
|
||||
fn name(&self) -> Option<Symbol> {
|
||||
self.ident().map(|ident| ident.name)
|
||||
}
|
||||
|
||||
/// Get the meta item list, `#[attr(meta item list)]`
|
||||
|
@ -752,7 +753,7 @@ pub trait AttributeExt: Debug {
|
|||
/// Gets the span of the value literal, as string, when using `#[attr = value]`
|
||||
fn value_span(&self) -> Option<Span>;
|
||||
|
||||
/// For a single-segment attribute, returns its name; otherwise, returns `None`.
|
||||
/// For a single-segment attribute, returns its ident; otherwise, returns `None`.
|
||||
fn ident(&self) -> Option<Ident>;
|
||||
|
||||
/// Checks whether the path of this attribute matches the name.
|
||||
|
@ -770,6 +771,11 @@ pub trait AttributeExt: Debug {
|
|||
self.ident().map(|x| x.name == name).unwrap_or(false)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
fn has_any_name(&self, names: &[Symbol]) -> bool {
|
||||
names.iter().any(|&name| self.has_name(name))
|
||||
}
|
||||
|
||||
/// get the span of the entire attribute
|
||||
fn span(&self) -> Span;
|
||||
|
||||
|
@ -813,8 +819,8 @@ impl Attribute {
|
|||
AttributeExt::id(self)
|
||||
}
|
||||
|
||||
pub fn name_or_empty(&self) -> Symbol {
|
||||
AttributeExt::name_or_empty(self)
|
||||
pub fn name(&self) -> Option<Symbol> {
|
||||
AttributeExt::name(self)
|
||||
}
|
||||
|
||||
pub fn meta_item_list(&self) -> Option<ThinVec<MetaItemInner>> {
|
||||
|
@ -846,6 +852,11 @@ impl Attribute {
|
|||
AttributeExt::has_name(self, name)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
pub fn has_any_name(&self, names: &[Symbol]) -> bool {
|
||||
AttributeExt::has_any_name(self, names)
|
||||
}
|
||||
|
||||
pub fn span(&self) -> Span {
|
||||
AttributeExt::span(self)
|
||||
}
|
||||
|
|
|
@ -1310,7 +1310,7 @@ impl<'hir> LoweringContext<'_, 'hir> {
|
|||
// create a fake body so that the entire rest of the compiler doesn't have to deal with
|
||||
// this as a special case.
|
||||
return self.lower_fn_body(decl, contract, |this| {
|
||||
if attrs.iter().any(|a| a.name_or_empty() == sym::rustc_intrinsic) {
|
||||
if attrs.iter().any(|a| a.has_name(sym::rustc_intrinsic)) {
|
||||
let span = this.lower_span(span);
|
||||
let empty_block = hir::Block {
|
||||
hir_id: this.next_id(),
|
||||
|
|
|
@ -347,7 +347,7 @@ impl<'a> AstValidator<'a> {
|
|||
sym::forbid,
|
||||
sym::warn,
|
||||
];
|
||||
!arr.contains(&attr.name_or_empty()) && rustc_attr_parsing::is_builtin_attr(*attr)
|
||||
!attr.has_any_name(&arr) && rustc_attr_parsing::is_builtin_attr(*attr)
|
||||
})
|
||||
.for_each(|attr| {
|
||||
if attr.is_doc_comment() {
|
||||
|
@ -947,8 +947,7 @@ impl<'a> Visitor<'a> for AstValidator<'a> {
|
|||
self.visit_attrs_vis_ident(&item.attrs, &item.vis, ident);
|
||||
self.check_defaultness(item.span, *defaultness);
|
||||
|
||||
let is_intrinsic =
|
||||
item.attrs.iter().any(|a| a.name_or_empty() == sym::rustc_intrinsic);
|
||||
let is_intrinsic = item.attrs.iter().any(|a| a.has_name(sym::rustc_intrinsic));
|
||||
if body.is_none() && !is_intrinsic {
|
||||
self.dcx().emit_err(errors::FnWithoutBody {
|
||||
span: item.span,
|
||||
|
|
|
@ -102,7 +102,7 @@ pub fn eval_condition(
|
|||
};
|
||||
|
||||
match &cfg.kind {
|
||||
MetaItemKind::List(mis) if cfg.name_or_empty() == sym::version => {
|
||||
MetaItemKind::List(mis) if cfg.has_name(sym::version) => {
|
||||
try_gate_cfg(sym::version, cfg.span, sess, features);
|
||||
let (min_version, span) = match &mis[..] {
|
||||
[MetaItemInner::Lit(MetaItemLit { kind: LitKind::Str(sym, ..), span, .. })] => {
|
||||
|
@ -149,18 +149,18 @@ pub fn eval_condition(
|
|||
|
||||
// The unwraps below may look dangerous, but we've already asserted
|
||||
// that they won't fail with the loop above.
|
||||
match cfg.name_or_empty() {
|
||||
sym::any => mis
|
||||
match cfg.name() {
|
||||
Some(sym::any) => mis
|
||||
.iter()
|
||||
// We don't use any() here, because we want to evaluate all cfg condition
|
||||
// as eval_condition can (and does) extra checks
|
||||
.fold(false, |res, mi| res | eval_condition(mi, sess, features, eval)),
|
||||
sym::all => mis
|
||||
Some(sym::all) => mis
|
||||
.iter()
|
||||
// We don't use all() here, because we want to evaluate all cfg condition
|
||||
// as eval_condition can (and does) extra checks
|
||||
.fold(true, |res, mi| res & eval_condition(mi, sess, features, eval)),
|
||||
sym::not => {
|
||||
Some(sym::not) => {
|
||||
let [mi] = mis.as_slice() else {
|
||||
dcx.emit_err(session_diagnostics::ExpectedOneCfgPattern { span: cfg.span });
|
||||
return false;
|
||||
|
@ -168,7 +168,7 @@ pub fn eval_condition(
|
|||
|
||||
!eval_condition(mi, sess, features, eval)
|
||||
}
|
||||
sym::target => {
|
||||
Some(sym::target) => {
|
||||
if let Some(features) = features
|
||||
&& !features.cfg_target_compact()
|
||||
{
|
||||
|
|
|
@ -222,7 +222,7 @@ impl<'sess> AttributeParser<'sess> {
|
|||
// if we're only looking for a single attribute,
|
||||
// skip all the ones we don't care about
|
||||
if let Some(expected) = self.parse_only {
|
||||
if attr.name_or_empty() != expected {
|
||||
if !attr.has_name(expected) {
|
||||
continue;
|
||||
}
|
||||
}
|
||||
|
@ -232,7 +232,7 @@ impl<'sess> AttributeParser<'sess> {
|
|||
// that's expanded right? But no, sometimes, when parsing attributes on macros,
|
||||
// we already use the lowering logic and these are still there. So, when `omit_doc`
|
||||
// is set we *also* want to ignore these
|
||||
if omit_doc == OmitDoc::Skip && attr.name_or_empty() == sym::doc {
|
||||
if omit_doc == OmitDoc::Skip && attr.has_name(sym::doc) {
|
||||
continue;
|
||||
}
|
||||
|
||||
|
@ -250,7 +250,7 @@ impl<'sess> AttributeParser<'sess> {
|
|||
}))
|
||||
}
|
||||
// // FIXME: make doc attributes go through a proper attribute parser
|
||||
// ast::AttrKind::Normal(n) if n.name_or_empty() == sym::doc => {
|
||||
// ast::AttrKind::Normal(n) if n.has_name(sym::doc) => {
|
||||
// let p = GenericMetaItemParser::from_attr(&n, self.dcx());
|
||||
//
|
||||
// attributes.push(Attribute::Parsed(AttributeKind::DocComment {
|
||||
|
|
|
@ -527,15 +527,14 @@ impl<'a> TraitDef<'a> {
|
|||
item.attrs
|
||||
.iter()
|
||||
.filter(|a| {
|
||||
[
|
||||
a.has_any_name(&[
|
||||
sym::allow,
|
||||
sym::warn,
|
||||
sym::deny,
|
||||
sym::forbid,
|
||||
sym::stable,
|
||||
sym::unstable,
|
||||
]
|
||||
.contains(&a.name_or_empty())
|
||||
])
|
||||
})
|
||||
.cloned(),
|
||||
);
|
||||
|
|
|
@ -346,20 +346,26 @@ fn codegen_fn_attrs(tcx: TyCtxt<'_>, did: LocalDefId) -> CodegenFnAttrs {
|
|||
no_sanitize_span = Some(attr.span());
|
||||
if let Some(list) = attr.meta_item_list() {
|
||||
for item in list.iter() {
|
||||
match item.name_or_empty() {
|
||||
sym::address => {
|
||||
match item.name() {
|
||||
Some(sym::address) => {
|
||||
codegen_fn_attrs.no_sanitize |=
|
||||
SanitizerSet::ADDRESS | SanitizerSet::KERNELADDRESS
|
||||
}
|
||||
sym::cfi => codegen_fn_attrs.no_sanitize |= SanitizerSet::CFI,
|
||||
sym::kcfi => codegen_fn_attrs.no_sanitize |= SanitizerSet::KCFI,
|
||||
sym::memory => codegen_fn_attrs.no_sanitize |= SanitizerSet::MEMORY,
|
||||
sym::memtag => codegen_fn_attrs.no_sanitize |= SanitizerSet::MEMTAG,
|
||||
sym::shadow_call_stack => {
|
||||
Some(sym::cfi) => codegen_fn_attrs.no_sanitize |= SanitizerSet::CFI,
|
||||
Some(sym::kcfi) => codegen_fn_attrs.no_sanitize |= SanitizerSet::KCFI,
|
||||
Some(sym::memory) => {
|
||||
codegen_fn_attrs.no_sanitize |= SanitizerSet::MEMORY
|
||||
}
|
||||
Some(sym::memtag) => {
|
||||
codegen_fn_attrs.no_sanitize |= SanitizerSet::MEMTAG
|
||||
}
|
||||
Some(sym::shadow_call_stack) => {
|
||||
codegen_fn_attrs.no_sanitize |= SanitizerSet::SHADOWCALLSTACK
|
||||
}
|
||||
sym::thread => codegen_fn_attrs.no_sanitize |= SanitizerSet::THREAD,
|
||||
sym::hwaddress => {
|
||||
Some(sym::thread) => {
|
||||
codegen_fn_attrs.no_sanitize |= SanitizerSet::THREAD
|
||||
}
|
||||
Some(sym::hwaddress) => {
|
||||
codegen_fn_attrs.no_sanitize |= SanitizerSet::HWADDRESS
|
||||
}
|
||||
_ => {
|
||||
|
@ -420,9 +426,9 @@ fn codegen_fn_attrs(tcx: TyCtxt<'_>, did: LocalDefId) -> CodegenFnAttrs {
|
|||
continue;
|
||||
};
|
||||
|
||||
let attrib_to_write = match meta_item.name_or_empty() {
|
||||
sym::prefix_nops => &mut prefix,
|
||||
sym::entry_nops => &mut entry,
|
||||
let attrib_to_write = match meta_item.name() {
|
||||
Some(sym::prefix_nops) => &mut prefix,
|
||||
Some(sym::entry_nops) => &mut entry,
|
||||
_ => {
|
||||
tcx.dcx().emit_err(errors::UnexpectedParameterName {
|
||||
span: item.span(),
|
||||
|
@ -786,8 +792,7 @@ impl<'a> MixedExportNameAndNoMangleState<'a> {
|
|||
fn autodiff_attrs(tcx: TyCtxt<'_>, id: DefId) -> Option<AutoDiffAttrs> {
|
||||
let attrs = tcx.get_attrs(id, sym::rustc_autodiff);
|
||||
|
||||
let attrs =
|
||||
attrs.filter(|attr| attr.name_or_empty() == sym::rustc_autodiff).collect::<Vec<_>>();
|
||||
let attrs = attrs.filter(|attr| attr.has_name(sym::rustc_autodiff)).collect::<Vec<_>>();
|
||||
|
||||
// check for exactly one autodiff attribute on placeholder functions.
|
||||
// There should only be one, since we generate a new placeholder per ad macro.
|
||||
|
|
|
@ -824,10 +824,10 @@ impl SyntaxExtension {
|
|||
return Err(item.span);
|
||||
}
|
||||
|
||||
match item.name_or_empty() {
|
||||
sym::no => Ok(CollapseMacroDebuginfo::No),
|
||||
sym::external => Ok(CollapseMacroDebuginfo::External),
|
||||
sym::yes => Ok(CollapseMacroDebuginfo::Yes),
|
||||
match item.name() {
|
||||
Some(sym::no) => Ok(CollapseMacroDebuginfo::No),
|
||||
Some(sym::external) => Ok(CollapseMacroDebuginfo::External),
|
||||
Some(sym::yes) => Ok(CollapseMacroDebuginfo::Yes),
|
||||
_ => Err(item.path.span),
|
||||
}
|
||||
}
|
||||
|
|
|
@ -2053,8 +2053,8 @@ impl<'a, 'b> InvocationCollector<'a, 'b> {
|
|||
) -> Node::OutputTy {
|
||||
loop {
|
||||
return match self.take_first_attr(&mut node) {
|
||||
Some((attr, pos, derives)) => match attr.name_or_empty() {
|
||||
sym::cfg => {
|
||||
Some((attr, pos, derives)) => match attr.name() {
|
||||
Some(sym::cfg) => {
|
||||
let (res, meta_item) = self.expand_cfg_true(&mut node, attr, pos);
|
||||
if res {
|
||||
continue;
|
||||
|
@ -2071,7 +2071,7 @@ impl<'a, 'b> InvocationCollector<'a, 'b> {
|
|||
}
|
||||
Default::default()
|
||||
}
|
||||
sym::cfg_attr => {
|
||||
Some(sym::cfg_attr) => {
|
||||
self.expand_cfg_attr(&mut node, &attr, pos);
|
||||
continue;
|
||||
}
|
||||
|
@ -2144,8 +2144,8 @@ impl<'a, 'b> InvocationCollector<'a, 'b> {
|
|||
) {
|
||||
loop {
|
||||
return match self.take_first_attr(node) {
|
||||
Some((attr, pos, derives)) => match attr.name_or_empty() {
|
||||
sym::cfg => {
|
||||
Some((attr, pos, derives)) => match attr.name() {
|
||||
Some(sym::cfg) => {
|
||||
let span = attr.span;
|
||||
if self.expand_cfg_true(node, attr, pos).0 {
|
||||
continue;
|
||||
|
@ -2154,7 +2154,7 @@ impl<'a, 'b> InvocationCollector<'a, 'b> {
|
|||
node.expand_cfg_false(self, pos, span);
|
||||
continue;
|
||||
}
|
||||
sym::cfg_attr => {
|
||||
Some(sym::cfg_attr) => {
|
||||
self.expand_cfg_attr(node, &attr, pos);
|
||||
continue;
|
||||
}
|
||||
|
|
|
@ -1237,7 +1237,7 @@ impl AttributeExt for Attribute {
|
|||
Attribute::Parsed(AttributeKind::DocComment { kind, comment, .. }) => {
|
||||
Some((*comment, *kind))
|
||||
}
|
||||
Attribute::Unparsed(_) if self.name_or_empty() == sym::doc => {
|
||||
Attribute::Unparsed(_) if self.has_name(sym::doc) => {
|
||||
self.value_str().map(|s| (s, CommentKind::Line))
|
||||
}
|
||||
_ => None,
|
||||
|
@ -1262,8 +1262,8 @@ impl Attribute {
|
|||
}
|
||||
|
||||
#[inline]
|
||||
pub fn name_or_empty(&self) -> Symbol {
|
||||
AttributeExt::name_or_empty(self)
|
||||
pub fn name(&self) -> Option<Symbol> {
|
||||
AttributeExt::name(self)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
|
@ -1301,6 +1301,11 @@ impl Attribute {
|
|||
AttributeExt::has_name(self, name)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
pub fn has_any_name(&self, names: &[Symbol]) -> bool {
|
||||
AttributeExt::has_any_name(self, names)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
pub fn span(&self) -> Span {
|
||||
AttributeExt::span(self)
|
||||
|
|
|
@ -2,8 +2,8 @@ use rustc_infer::infer::InferCtxt;
|
|||
use rustc_infer::traits::PredicateObligations;
|
||||
use rustc_middle::ty::{self, Ty, TyCtxt, TypeVisitableExt};
|
||||
use rustc_session::Limit;
|
||||
use rustc_span::Span;
|
||||
use rustc_span::def_id::{LOCAL_CRATE, LocalDefId};
|
||||
use rustc_span::{ErrorGuaranteed, Span};
|
||||
use rustc_trait_selection::traits::ObligationCtxt;
|
||||
use tracing::{debug, instrument};
|
||||
|
||||
|
@ -259,7 +259,11 @@ impl<'a, 'tcx> Autoderef<'a, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
pub fn report_autoderef_recursion_limit_error<'tcx>(tcx: TyCtxt<'tcx>, span: Span, ty: Ty<'tcx>) {
|
||||
pub fn report_autoderef_recursion_limit_error<'tcx>(
|
||||
tcx: TyCtxt<'tcx>,
|
||||
span: Span,
|
||||
ty: Ty<'tcx>,
|
||||
) -> ErrorGuaranteed {
|
||||
// We've reached the recursion limit, error gracefully.
|
||||
let suggested_limit = match tcx.recursion_limit() {
|
||||
Limit(0) => Limit(2),
|
||||
|
@ -270,5 +274,5 @@ pub fn report_autoderef_recursion_limit_error<'tcx>(tcx: TyCtxt<'tcx>, span: Spa
|
|||
ty,
|
||||
suggested_limit,
|
||||
crate_name: tcx.crate_name(LOCAL_CRATE),
|
||||
});
|
||||
})
|
||||
}
|
||||
|
|
|
@ -1000,6 +1000,8 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
|
|||
// determines whether to borrow *at the level of the deref pattern* rather than
|
||||
// borrowing the bound place (since that inner place is inside the temporary that
|
||||
// stores the result of calling `deref()`/`deref_mut()` so can't be captured).
|
||||
// HACK: this could be a fake pattern corresponding to a deref inserted by match
|
||||
// ergonomics, in which case `pat.hir_id` will be the id of the subpattern.
|
||||
let mutable = self.cx.typeck_results().pat_has_ref_mut_binding(subpattern);
|
||||
let mutability =
|
||||
if mutable { hir::Mutability::Mut } else { hir::Mutability::Not };
|
||||
|
@ -1227,9 +1229,9 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
|
|||
// actually this is somewhat "disjoint" from the code below
|
||||
// that aims to account for `ref x`.
|
||||
if let Some(vec) = self.cx.typeck_results().pat_adjustments().get(pat.hir_id) {
|
||||
if let Some(first_ty) = vec.first() {
|
||||
debug!("pat_ty(pat={:?}) found adjusted ty `{:?}`", pat, first_ty);
|
||||
return Ok(*first_ty);
|
||||
if let Some(first_adjust) = vec.first() {
|
||||
debug!("pat_ty(pat={:?}) found adjustment `{:?}`", pat, first_adjust);
|
||||
return Ok(first_adjust.source);
|
||||
}
|
||||
} else if let PatKind::Ref(subpat, _) = pat.kind
|
||||
&& self.cx.typeck_results().skipped_ref_pats().contains(pat.hir_id)
|
||||
|
@ -1680,12 +1682,31 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
|
|||
// Then we see that to get the same result, we must start with
|
||||
// `deref { deref { place_foo }}` instead of `place_foo` since the pattern is now `Some(x,)`
|
||||
// and not `&&Some(x,)`, even though its assigned type is that of `&&Some(x,)`.
|
||||
for _ in
|
||||
0..self.cx.typeck_results().pat_adjustments().get(pat.hir_id).map_or(0, |v| v.len())
|
||||
{
|
||||
let typeck_results = self.cx.typeck_results();
|
||||
let adjustments: &[adjustment::PatAdjustment<'tcx>] =
|
||||
typeck_results.pat_adjustments().get(pat.hir_id).map_or(&[], |v| &**v);
|
||||
let mut adjusts = adjustments.iter().peekable();
|
||||
while let Some(adjust) = adjusts.next() {
|
||||
debug!("applying adjustment to place_with_id={:?}", place_with_id);
|
||||
place_with_id = self.cat_deref(pat.hir_id, place_with_id)?;
|
||||
place_with_id = match adjust.kind {
|
||||
adjustment::PatAdjust::BuiltinDeref => self.cat_deref(pat.hir_id, place_with_id)?,
|
||||
adjustment::PatAdjust::OverloadedDeref => {
|
||||
// This adjustment corresponds to an overloaded deref; it borrows the scrutinee to
|
||||
// call `Deref::deref` or `DerefMut::deref_mut`. Invoke the callback before setting
|
||||
// `place_with_id` to the temporary storing the result of the deref.
|
||||
// HACK(dianne): giving the callback a fake deref pattern makes sure it behaves the
|
||||
// same as it would if this were an explicit deref pattern.
|
||||
op(&place_with_id, &hir::Pat { kind: PatKind::Deref(pat), ..*pat })?;
|
||||
let target_ty = match adjusts.peek() {
|
||||
Some(&&next_adjust) => next_adjust.source,
|
||||
// At the end of the deref chain, we get `pat`'s scrutinee.
|
||||
None => self.pat_ty_unadjusted(pat)?,
|
||||
};
|
||||
self.pat_deref_temp(pat.hir_id, pat, target_ty)?
|
||||
}
|
||||
};
|
||||
}
|
||||
drop(typeck_results); // explicitly release borrow of typeck results, just in case.
|
||||
let place_with_id = place_with_id; // lose mutability
|
||||
debug!("applied adjustment derefs to get place_with_id={:?}", place_with_id);
|
||||
|
||||
|
@ -1788,14 +1809,8 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
|
|||
self.cat_pattern(subplace, subpat, op)?;
|
||||
}
|
||||
PatKind::Deref(subpat) => {
|
||||
let mutable = self.cx.typeck_results().pat_has_ref_mut_binding(subpat);
|
||||
let mutability = if mutable { hir::Mutability::Mut } else { hir::Mutability::Not };
|
||||
let re_erased = self.cx.tcx().lifetimes.re_erased;
|
||||
let ty = self.pat_ty_adjusted(subpat)?;
|
||||
let ty = Ty::new_ref(self.cx.tcx(), re_erased, ty, mutability);
|
||||
// A deref pattern generates a temporary.
|
||||
let base = self.cat_rvalue(pat.hir_id, ty);
|
||||
let place = self.cat_deref(pat.hir_id, base)?;
|
||||
let place = self.pat_deref_temp(pat.hir_id, subpat, ty)?;
|
||||
self.cat_pattern(place, subpat, op)?;
|
||||
}
|
||||
|
||||
|
@ -1848,6 +1863,23 @@ impl<'tcx, Cx: TypeInformationCtxt<'tcx>, D: Delegate<'tcx>> ExprUseVisitor<'tcx
|
|||
Ok(())
|
||||
}
|
||||
|
||||
/// Represents the place of the temp that stores the scrutinee of a deref pattern's interior.
|
||||
fn pat_deref_temp(
|
||||
&self,
|
||||
hir_id: HirId,
|
||||
inner: &hir::Pat<'_>,
|
||||
target_ty: Ty<'tcx>,
|
||||
) -> Result<PlaceWithHirId<'tcx>, Cx::Error> {
|
||||
let mutable = self.cx.typeck_results().pat_has_ref_mut_binding(inner);
|
||||
let mutability = if mutable { hir::Mutability::Mut } else { hir::Mutability::Not };
|
||||
let re_erased = self.cx.tcx().lifetimes.re_erased;
|
||||
let ty = Ty::new_ref(self.cx.tcx(), re_erased, target_ty, mutability);
|
||||
// A deref pattern stores the result of `Deref::deref` or `DerefMut::deref_mut` ...
|
||||
let base = self.cat_rvalue(hir_id, ty);
|
||||
// ... and the inner pattern matches on the place behind that reference.
|
||||
self.cat_deref(hir_id, base)
|
||||
}
|
||||
|
||||
fn is_multivariant_adt(&self, ty: Ty<'tcx>, span: Span) -> bool {
|
||||
if let ty::Adt(def, _) = self.cx.try_structurally_resolve_type(span, ty).kind() {
|
||||
// Note that if a non-exhaustive SingleVariant is defined in another crate, we need
|
||||
|
|
|
@ -488,7 +488,7 @@ fn parse_never_type_options_attr(
|
|||
item.span(),
|
||||
format!(
|
||||
"unknown or duplicate never type option: `{}` (supported: `fallback`, `diverging_block_default`)",
|
||||
item.name_or_empty()
|
||||
item.name().unwrap()
|
||||
),
|
||||
);
|
||||
}
|
||||
|
|
|
@ -2334,8 +2334,9 @@ impl<'a, 'tcx> ProbeContext<'a, 'tcx> {
|
|||
let hir_id = self.fcx.tcx.local_def_id_to_hir_id(local_def_id);
|
||||
let attrs = self.fcx.tcx.hir_attrs(hir_id);
|
||||
for attr in attrs {
|
||||
if sym::doc == attr.name_or_empty() {
|
||||
} else if sym::rustc_confusables == attr.name_or_empty() {
|
||||
if attr.has_name(sym::doc) {
|
||||
// do nothing
|
||||
} else if attr.has_name(sym::rustc_confusables) {
|
||||
let Some(confusables) = attr.meta_item_list() else {
|
||||
continue;
|
||||
};
|
||||
|
@ -2355,7 +2356,7 @@ impl<'a, 'tcx> ProbeContext<'a, 'tcx> {
|
|||
continue;
|
||||
};
|
||||
for v in values {
|
||||
if v.name_or_empty() != sym::alias {
|
||||
if !v.has_name(sym::alias) {
|
||||
continue;
|
||||
}
|
||||
if let Some(nested) = v.meta_item_list() {
|
||||
|
|
|
@ -9,11 +9,13 @@ use rustc_errors::{
|
|||
Applicability, Diag, ErrorGuaranteed, MultiSpan, pluralize, struct_span_code_err,
|
||||
};
|
||||
use rustc_hir::def::{CtorKind, DefKind, Res};
|
||||
use rustc_hir::def_id::DefId;
|
||||
use rustc_hir::pat_util::EnumerateAndAdjustIterator;
|
||||
use rustc_hir::{
|
||||
self as hir, BindingMode, ByRef, ExprKind, HirId, LangItem, Mutability, Pat, PatExpr,
|
||||
PatExprKind, PatKind, expr_needs_parens,
|
||||
};
|
||||
use rustc_hir_analysis::autoderef::report_autoderef_recursion_limit_error;
|
||||
use rustc_infer::infer;
|
||||
use rustc_middle::traits::PatternOriginExpr;
|
||||
use rustc_middle::ty::{self, Ty, TypeVisitableExt};
|
||||
|
@ -29,11 +31,12 @@ use rustc_trait_selection::infer::InferCtxtExt;
|
|||
use rustc_trait_selection::traits::{ObligationCause, ObligationCauseCode};
|
||||
use tracing::{debug, instrument, trace};
|
||||
use ty::VariantDef;
|
||||
use ty::adjustment::{PatAdjust, PatAdjustment};
|
||||
|
||||
use super::report_unexpected_variant_res;
|
||||
use crate::expectation::Expectation;
|
||||
use crate::gather_locals::DeclOrigin;
|
||||
use crate::{FnCtxt, LoweredTy, errors};
|
||||
use crate::{FnCtxt, errors};
|
||||
|
||||
const CANNOT_IMPLICITLY_DEREF_POINTER_TRAIT_OBJ: &str = "\
|
||||
This error indicates that a pointer to a trait type cannot be implicitly dereferenced by a \
|
||||
|
@ -161,12 +164,35 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
/// Mode for adjusting the expected type and binding mode.
|
||||
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
|
||||
enum AdjustMode {
|
||||
/// Peel off all immediate reference types.
|
||||
Peel,
|
||||
/// Peel off all immediate reference types. If the `deref_patterns` feature is enabled, this
|
||||
/// also peels smart pointer ADTs.
|
||||
Peel { kind: PeelKind },
|
||||
/// Pass on the input binding mode and expected type.
|
||||
Pass,
|
||||
}
|
||||
|
||||
/// Restrictions on what types to peel when adjusting the expected type and binding mode.
|
||||
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
|
||||
enum PeelKind {
|
||||
/// Only peel reference types. This is used for explicit `deref!(_)` patterns, which dereference
|
||||
/// any number of `&`/`&mut` references, plus a single smart pointer.
|
||||
ExplicitDerefPat,
|
||||
/// Implicitly peel any number of references, and if `deref_patterns` is enabled, smart pointer
|
||||
/// ADTs. In order to peel only as much as necessary for the pattern to match, the `until_adt`
|
||||
/// field contains the ADT def that the pattern is a constructor for, if applicable, so that we
|
||||
/// don't peel it. See [`ResolvedPat`] for more information.
|
||||
Implicit { until_adt: Option<DefId> },
|
||||
}
|
||||
|
||||
impl AdjustMode {
|
||||
const fn peel_until_adt(opt_adt_def: Option<DefId>) -> AdjustMode {
|
||||
AdjustMode::Peel { kind: PeelKind::Implicit { until_adt: opt_adt_def } }
|
||||
}
|
||||
const fn peel_all() -> AdjustMode {
|
||||
AdjustMode::peel_until_adt(None)
|
||||
}
|
||||
}
|
||||
|
||||
/// `ref mut` bindings (explicit or match-ergonomics) are not allowed behind an `&` reference.
|
||||
/// Normally, the borrow checker enforces this, but for (currently experimental) match ergonomics,
|
||||
/// we track this when typing patterns for two purposes:
|
||||
|
@ -242,6 +268,47 @@ enum InheritedRefMatchRule {
|
|||
},
|
||||
}
|
||||
|
||||
/// When checking patterns containing paths, we need to know the path's resolution to determine
|
||||
/// whether to apply match ergonomics and implicitly dereference the scrutinee. For instance, when
|
||||
/// the `deref_patterns` feature is enabled and we're matching against a scrutinee of type
|
||||
/// `Cow<'a, Option<u8>>`, we insert an implicit dereference to allow the pattern `Some(_)` to type,
|
||||
/// but we must not dereference it when checking the pattern `Cow::Borrowed(_)`.
|
||||
///
|
||||
/// `ResolvedPat` contains the information from resolution needed to determine match ergonomics
|
||||
/// adjustments, and to finish checking the pattern once we know its adjusted type.
|
||||
#[derive(Clone, Copy, Debug)]
|
||||
struct ResolvedPat<'tcx> {
|
||||
/// The type of the pattern, to be checked against the type of the scrutinee after peeling. This
|
||||
/// is also used to avoid peeling the scrutinee's constructors (see the `Cow` example above).
|
||||
ty: Ty<'tcx>,
|
||||
kind: ResolvedPatKind<'tcx>,
|
||||
}
|
||||
|
||||
#[derive(Clone, Copy, Debug)]
|
||||
enum ResolvedPatKind<'tcx> {
|
||||
Path { res: Res, pat_res: Res, segments: &'tcx [hir::PathSegment<'tcx>] },
|
||||
Struct { variant: &'tcx VariantDef },
|
||||
TupleStruct { res: Res, variant: &'tcx VariantDef },
|
||||
}
|
||||
|
||||
impl<'tcx> ResolvedPat<'tcx> {
|
||||
fn adjust_mode(&self) -> AdjustMode {
|
||||
if let ResolvedPatKind::Path { res, .. } = self.kind
|
||||
&& matches!(res, Res::Def(DefKind::Const | DefKind::AssocConst, _))
|
||||
{
|
||||
// These constants can be of a reference type, e.g. `const X: &u8 = &0;`.
|
||||
// Peeling the reference types too early will cause type checking failures.
|
||||
// Although it would be possible to *also* peel the types of the constants too.
|
||||
AdjustMode::Pass
|
||||
} else {
|
||||
// The remaining possible resolutions for path, struct, and tuple struct patterns are
|
||||
// ADT constructors. As such, we may peel references freely, but we must not peel the
|
||||
// ADT itself from the scrutinee if it's a smart pointer.
|
||||
AdjustMode::peel_until_adt(self.ty.ty_adt_def().map(|adt| adt.did()))
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
||||
/// Experimental pattern feature: after matching against a shared reference, do we limit the
|
||||
/// default binding mode in subpatterns to be `ref` when it would otherwise be `ref mut`?
|
||||
|
@ -318,16 +385,35 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
/// Conversely, inside this module, `check_pat_top` should never be used.
|
||||
#[instrument(level = "debug", skip(self, pat_info))]
|
||||
fn check_pat(&self, pat: &'tcx Pat<'tcx>, expected: Ty<'tcx>, pat_info: PatInfo<'tcx>) {
|
||||
// For patterns containing paths, we need the path's resolution to determine whether to
|
||||
// implicitly dereference the scrutinee before matching.
|
||||
let opt_path_res = match pat.kind {
|
||||
PatKind::Expr(PatExpr { kind: PatExprKind::Path(qpath), hir_id, span }) => {
|
||||
Some(self.resolve_ty_and_res_fully_qualified_call(qpath, *hir_id, *span))
|
||||
Some(self.resolve_pat_path(*hir_id, *span, qpath))
|
||||
}
|
||||
PatKind::Struct(ref qpath, ..) => Some(self.resolve_pat_struct(pat, qpath)),
|
||||
PatKind::TupleStruct(ref qpath, ..) => Some(self.resolve_pat_tuple_struct(pat, qpath)),
|
||||
_ => None,
|
||||
};
|
||||
let adjust_mode = self.calc_adjust_mode(pat, opt_path_res.map(|(res, ..)| res));
|
||||
let adjust_mode = self.calc_adjust_mode(pat, opt_path_res);
|
||||
let ty = self.check_pat_inner(pat, opt_path_res, adjust_mode, expected, pat_info);
|
||||
self.write_ty(pat.hir_id, ty);
|
||||
|
||||
// If we implicitly inserted overloaded dereferences before matching, check the pattern to
|
||||
// see if the dereferenced types need `DerefMut` bounds.
|
||||
if let Some(derefed_tys) = self.typeck_results.borrow().pat_adjustments().get(pat.hir_id)
|
||||
&& derefed_tys.iter().any(|adjust| adjust.kind == PatAdjust::OverloadedDeref)
|
||||
{
|
||||
self.register_deref_mut_bounds_if_needed(
|
||||
pat.span,
|
||||
pat,
|
||||
derefed_tys.iter().filter_map(|adjust| match adjust.kind {
|
||||
PatAdjust::OverloadedDeref => Some(adjust.source),
|
||||
PatAdjust::BuiltinDeref => None,
|
||||
}),
|
||||
);
|
||||
}
|
||||
|
||||
// (note_1): In most of the cases where (note_1) is referenced
|
||||
// (literals and constants being the exception), we relate types
|
||||
// using strict equality, even though subtyping would be sufficient.
|
||||
|
@ -375,7 +461,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
fn check_pat_inner(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
opt_path_res: Option<(Res, Option<LoweredTy<'tcx>>, &'tcx [hir::PathSegment<'tcx>])>,
|
||||
opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
|
||||
adjust_mode: AdjustMode,
|
||||
expected: Ty<'tcx>,
|
||||
pat_info: PatInfo<'tcx>,
|
||||
|
@ -389,7 +475,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
}
|
||||
|
||||
// Resolve type if needed.
|
||||
let expected = if let AdjustMode::Peel = adjust_mode
|
||||
let expected = if let AdjustMode::Peel { .. } = adjust_mode
|
||||
&& pat.default_binding_modes
|
||||
{
|
||||
self.try_structurally_resolve_type(pat.span, expected)
|
||||
|
@ -402,7 +488,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
match pat.kind {
|
||||
// Peel off a `&` or `&mut` from the scrutinee type. See the examples in
|
||||
// `tests/ui/rfcs/rfc-2005-default-binding-mode`.
|
||||
_ if let AdjustMode::Peel = adjust_mode
|
||||
_ if let AdjustMode::Peel { .. } = adjust_mode
|
||||
&& pat.default_binding_modes
|
||||
&& let ty::Ref(_, inner_ty, inner_mutability) = *expected.kind() =>
|
||||
{
|
||||
|
@ -415,7 +501,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
.pat_adjustments_mut()
|
||||
.entry(pat.hir_id)
|
||||
.or_default()
|
||||
.push(expected);
|
||||
.push(PatAdjustment { kind: PatAdjust::BuiltinDeref, source: expected });
|
||||
|
||||
let mut binding_mode = ByRef::Yes(match pat_info.binding_mode {
|
||||
// If default binding mode is by value, make it `ref` or `ref mut`
|
||||
|
@ -442,19 +528,68 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
// Recurse with the new expected type.
|
||||
self.check_pat_inner(pat, opt_path_res, adjust_mode, inner_ty, new_pat_info)
|
||||
}
|
||||
// If `deref_patterns` is enabled, peel a smart pointer from the scrutinee type. See the
|
||||
// examples in `tests/ui/pattern/deref_patterns/`.
|
||||
_ if self.tcx.features().deref_patterns()
|
||||
&& let AdjustMode::Peel { kind: PeelKind::Implicit { until_adt } } = adjust_mode
|
||||
&& pat.default_binding_modes
|
||||
// For simplicity, only apply overloaded derefs if `expected` is a known ADT.
|
||||
// FIXME(deref_patterns): we'll get better diagnostics for users trying to
|
||||
// implicitly deref generics if we allow them here, but primitives, tuples, and
|
||||
// inference vars definitely should be stopped. Figure out what makes most sense.
|
||||
&& let ty::Adt(scrutinee_adt, _) = *expected.kind()
|
||||
// Don't peel if the pattern type already matches the scrutinee. E.g., stop here if
|
||||
// matching on a `Cow<'a, T>` scrutinee with a `Cow::Owned(_)` pattern.
|
||||
&& until_adt != Some(scrutinee_adt.did())
|
||||
// At this point, the pattern isn't able to match `expected` without peeling. Check
|
||||
// that it implements `Deref` before assuming it's a smart pointer, to get a normal
|
||||
// type error instead of a missing impl error if not. This only checks for `Deref`,
|
||||
// not `DerefPure`: we require that too, but we want a trait error if it's missing.
|
||||
&& let Some(deref_trait) = self.tcx.lang_items().deref_trait()
|
||||
&& self
|
||||
.type_implements_trait(deref_trait, [expected], self.param_env)
|
||||
.may_apply() =>
|
||||
{
|
||||
debug!("scrutinee ty {expected:?} is a smart pointer, inserting overloaded deref");
|
||||
// The scrutinee is a smart pointer; implicitly dereference it. This adds a
|
||||
// requirement that `expected: DerefPure`.
|
||||
let mut inner_ty = self.deref_pat_target(pat.span, expected);
|
||||
// Once we've checked `pat`, we'll add a `DerefMut` bound if it contains any
|
||||
// `ref mut` bindings. See `Self::register_deref_mut_bounds_if_needed`.
|
||||
|
||||
let mut typeck_results = self.typeck_results.borrow_mut();
|
||||
let mut pat_adjustments_table = typeck_results.pat_adjustments_mut();
|
||||
let pat_adjustments = pat_adjustments_table.entry(pat.hir_id).or_default();
|
||||
// We may reach the recursion limit if a user matches on a type `T` satisfying
|
||||
// `T: Deref<Target = T>`; error gracefully in this case.
|
||||
// FIXME(deref_patterns): If `deref_patterns` stabilizes, it may make sense to move
|
||||
// this check out of this branch. Alternatively, this loop could be implemented with
|
||||
// autoderef and this check removed. For now though, don't break code compiling on
|
||||
// stable with lots of `&`s and a low recursion limit, if anyone's done that.
|
||||
if self.tcx.recursion_limit().value_within_limit(pat_adjustments.len()) {
|
||||
// Preserve the smart pointer type for THIR lowering and closure upvar analysis.
|
||||
pat_adjustments
|
||||
.push(PatAdjustment { kind: PatAdjust::OverloadedDeref, source: expected });
|
||||
} else {
|
||||
let guar = report_autoderef_recursion_limit_error(self.tcx, pat.span, expected);
|
||||
inner_ty = Ty::new_error(self.tcx, guar);
|
||||
}
|
||||
drop(typeck_results);
|
||||
|
||||
// Recurse, using the old pat info to keep `current_depth` to its old value.
|
||||
// Peeling smart pointers does not update the default binding mode.
|
||||
self.check_pat_inner(pat, opt_path_res, adjust_mode, inner_ty, old_pat_info)
|
||||
}
|
||||
PatKind::Missing | PatKind::Wild | PatKind::Err(_) => expected,
|
||||
// We allow any type here; we ensure that the type is uninhabited during match checking.
|
||||
PatKind::Never => expected,
|
||||
PatKind::Expr(PatExpr { kind: PatExprKind::Path(qpath), hir_id, span }) => {
|
||||
let ty = self.check_pat_path(
|
||||
*hir_id,
|
||||
pat.hir_id,
|
||||
*span,
|
||||
qpath,
|
||||
opt_path_res.unwrap(),
|
||||
expected,
|
||||
&pat_info.top_info,
|
||||
);
|
||||
PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), hir_id, .. }) => {
|
||||
let ty = match opt_path_res.unwrap() {
|
||||
Ok(ref pr) => {
|
||||
self.check_pat_path(pat.hir_id, pat.span, pr, expected, &pat_info.top_info)
|
||||
}
|
||||
Err(guar) => Ty::new_error(self.tcx, guar),
|
||||
};
|
||||
self.write_ty(*hir_id, ty);
|
||||
ty
|
||||
}
|
||||
|
@ -465,12 +600,32 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
PatKind::Binding(ba, var_id, ident, sub) => {
|
||||
self.check_pat_ident(pat, ba, var_id, ident, sub, expected, pat_info)
|
||||
}
|
||||
PatKind::TupleStruct(ref qpath, subpats, ddpos) => {
|
||||
self.check_pat_tuple_struct(pat, qpath, subpats, ddpos, expected, pat_info)
|
||||
}
|
||||
PatKind::Struct(ref qpath, fields, has_rest_pat) => {
|
||||
self.check_pat_struct(pat, qpath, fields, has_rest_pat, expected, pat_info)
|
||||
}
|
||||
PatKind::TupleStruct(ref qpath, subpats, ddpos) => match opt_path_res.unwrap() {
|
||||
Ok(ResolvedPat { ty, kind: ResolvedPatKind::TupleStruct { res, variant } }) => self
|
||||
.check_pat_tuple_struct(
|
||||
pat, qpath, subpats, ddpos, res, ty, variant, expected, pat_info,
|
||||
),
|
||||
Err(guar) => {
|
||||
let ty_err = Ty::new_error(self.tcx, guar);
|
||||
for subpat in subpats {
|
||||
self.check_pat(subpat, ty_err, pat_info);
|
||||
}
|
||||
ty_err
|
||||
}
|
||||
Ok(pr) => span_bug!(pat.span, "tuple struct pattern resolved to {pr:?}"),
|
||||
},
|
||||
PatKind::Struct(_, fields, has_rest_pat) => match opt_path_res.unwrap() {
|
||||
Ok(ResolvedPat { ty, kind: ResolvedPatKind::Struct { variant } }) => self
|
||||
.check_pat_struct(pat, fields, has_rest_pat, ty, variant, expected, pat_info),
|
||||
Err(guar) => {
|
||||
let ty_err = Ty::new_error(self.tcx, guar);
|
||||
for field in fields {
|
||||
self.check_pat(field.pat, ty_err, pat_info);
|
||||
}
|
||||
ty_err
|
||||
}
|
||||
Ok(pr) => span_bug!(pat.span, "struct pattern resolved to {pr:?}"),
|
||||
},
|
||||
PatKind::Guard(pat, cond) => {
|
||||
self.check_pat(pat, expected, pat_info);
|
||||
self.check_expr_has_type_or_error(cond, self.tcx.types.bool, |_| {});
|
||||
|
@ -496,31 +651,32 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
|
||||
/// How should the binding mode and expected type be adjusted?
|
||||
///
|
||||
/// When the pattern is a path pattern, `opt_path_res` must be `Some(res)`.
|
||||
fn calc_adjust_mode(&self, pat: &'tcx Pat<'tcx>, opt_path_res: Option<Res>) -> AdjustMode {
|
||||
/// When the pattern contains a path, `opt_path_res` must be `Some(path_res)`.
|
||||
fn calc_adjust_mode(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
opt_path_res: Option<Result<ResolvedPat<'tcx>, ErrorGuaranteed>>,
|
||||
) -> AdjustMode {
|
||||
match &pat.kind {
|
||||
// Type checking these product-like types successfully always require
|
||||
// that the expected type be of those types and not reference types.
|
||||
PatKind::Tuple(..)
|
||||
| PatKind::Range(..)
|
||||
| PatKind::Slice(..) => AdjustMode::peel_all(),
|
||||
// When checking an explicit deref pattern, only peel reference types.
|
||||
// FIXME(deref_patterns): If box patterns and deref patterns need to coexist, box
|
||||
// patterns may want `PeelKind::Implicit`, stopping on encountering a box.
|
||||
| PatKind::Box(_)
|
||||
| PatKind::Deref(_) => AdjustMode::Peel { kind: PeelKind::ExplicitDerefPat },
|
||||
// A never pattern behaves somewhat like a literal or unit variant.
|
||||
PatKind::Never => AdjustMode::peel_all(),
|
||||
// For patterns with paths, how we peel the scrutinee depends on the path's resolution.
|
||||
PatKind::Struct(..)
|
||||
| PatKind::TupleStruct(..)
|
||||
| PatKind::Tuple(..)
|
||||
| PatKind::Box(_)
|
||||
| PatKind::Deref(_)
|
||||
| PatKind::Range(..)
|
||||
| PatKind::Slice(..) => AdjustMode::Peel,
|
||||
// A never pattern behaves somewhat like a literal or unit variant.
|
||||
PatKind::Never => AdjustMode::Peel,
|
||||
PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), .. }) => match opt_path_res.unwrap() {
|
||||
// These constants can be of a reference type, e.g. `const X: &u8 = &0;`.
|
||||
// Peeling the reference types too early will cause type checking failures.
|
||||
// Although it would be possible to *also* peel the types of the constants too.
|
||||
Res::Def(DefKind::Const | DefKind::AssocConst, _) => AdjustMode::Pass,
|
||||
// In the `ValueNS`, we have `SelfCtor(..) | Ctor(_, Const), _)` remaining which
|
||||
// could successfully compile. The former being `Self` requires a unit struct.
|
||||
// In either case, and unlike constants, the pattern itself cannot be
|
||||
// a reference type wherefore peeling doesn't give up any expressiveness.
|
||||
_ => AdjustMode::Peel,
|
||||
},
|
||||
| PatKind::Expr(PatExpr { kind: PatExprKind::Path(_), .. }) => {
|
||||
// If there was an error resolving the path, default to peeling everything.
|
||||
opt_path_res.unwrap().map_or(AdjustMode::peel_all(), |pr| pr.adjust_mode())
|
||||
}
|
||||
|
||||
// String and byte-string literals result in types `&str` and `&[u8]` respectively.
|
||||
// All other literals result in non-reference types.
|
||||
|
@ -529,7 +685,17 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
// Call `resolve_vars_if_possible` here for inline const blocks.
|
||||
PatKind::Expr(lt) => match self.resolve_vars_if_possible(self.check_pat_expr_unadjusted(lt)).kind() {
|
||||
ty::Ref(..) => AdjustMode::Pass,
|
||||
_ => AdjustMode::Peel,
|
||||
_ => {
|
||||
// Path patterns have already been handled, and inline const blocks currently
|
||||
// aren't possible to write, so any handling for them would be untested.
|
||||
if cfg!(debug_assertions)
|
||||
&& self.tcx.features().deref_patterns()
|
||||
&& !matches!(lt.kind, PatExprKind::Lit { .. })
|
||||
{
|
||||
span_bug!(lt.span, "FIXME(deref_patterns): adjust mode unimplemented for {:?}", lt.kind);
|
||||
}
|
||||
AdjustMode::peel_all()
|
||||
}
|
||||
},
|
||||
|
||||
// Ref patterns are complicated, we handle them in `check_pat_ref`.
|
||||
|
@ -1112,27 +1278,26 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
Ok(())
|
||||
}
|
||||
|
||||
fn check_pat_struct(
|
||||
fn resolve_pat_struct(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
qpath: &hir::QPath<'tcx>,
|
||||
) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
|
||||
// Resolve the path and check the definition for errors.
|
||||
let (variant, pat_ty) = self.check_struct_path(qpath, pat.hir_id)?;
|
||||
Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::Struct { variant } })
|
||||
}
|
||||
|
||||
fn check_pat_struct(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
fields: &'tcx [hir::PatField<'tcx>],
|
||||
has_rest_pat: bool,
|
||||
pat_ty: Ty<'tcx>,
|
||||
variant: &'tcx VariantDef,
|
||||
expected: Ty<'tcx>,
|
||||
pat_info: PatInfo<'tcx>,
|
||||
) -> Ty<'tcx> {
|
||||
// Resolve the path and check the definition for errors.
|
||||
let (variant, pat_ty) = match self.check_struct_path(qpath, pat.hir_id) {
|
||||
Ok(data) => data,
|
||||
Err(guar) => {
|
||||
let err = Ty::new_error(self.tcx, guar);
|
||||
for field in fields {
|
||||
self.check_pat(field.pat, err, pat_info);
|
||||
}
|
||||
return err;
|
||||
}
|
||||
};
|
||||
|
||||
// Type-check the path.
|
||||
let _ = self.demand_eqtype_pat(pat.span, expected, pat_ty, &pat_info.top_info);
|
||||
|
||||
|
@ -1143,31 +1308,27 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
fn check_pat_path(
|
||||
fn resolve_pat_path(
|
||||
&self,
|
||||
path_id: HirId,
|
||||
pat_id_for_diag: HirId,
|
||||
span: Span,
|
||||
qpath: &hir::QPath<'_>,
|
||||
path_resolution: (Res, Option<LoweredTy<'tcx>>, &'tcx [hir::PathSegment<'tcx>]),
|
||||
expected: Ty<'tcx>,
|
||||
ti: &TopInfo<'tcx>,
|
||||
) -> Ty<'tcx> {
|
||||
qpath: &'tcx hir::QPath<'_>,
|
||||
) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
|
||||
let tcx = self.tcx;
|
||||
|
||||
// We have already resolved the path.
|
||||
let (res, opt_ty, segments) = path_resolution;
|
||||
let (res, opt_ty, segments) =
|
||||
self.resolve_ty_and_res_fully_qualified_call(qpath, path_id, span);
|
||||
match res {
|
||||
Res::Err => {
|
||||
let e =
|
||||
self.dcx().span_delayed_bug(qpath.span(), "`Res::Err` but no error emitted");
|
||||
self.set_tainted_by_errors(e);
|
||||
return Ty::new_error(tcx, e);
|
||||
return Err(e);
|
||||
}
|
||||
Res::Def(DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fn) | DefKind::Variant, _) => {
|
||||
let expected = "unit struct, unit variant or constant";
|
||||
let e = report_unexpected_variant_res(tcx, res, None, qpath, span, E0533, expected);
|
||||
return Ty::new_error(tcx, e);
|
||||
return Err(e);
|
||||
}
|
||||
Res::SelfCtor(def_id) => {
|
||||
if let ty::Adt(adt_def, _) = *tcx.type_of(def_id).skip_binder().kind()
|
||||
|
@ -1185,7 +1346,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
E0533,
|
||||
"unit struct",
|
||||
);
|
||||
return Ty::new_error(tcx, e);
|
||||
return Err(e);
|
||||
}
|
||||
}
|
||||
Res::Def(
|
||||
|
@ -1198,15 +1359,26 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
_ => bug!("unexpected pattern resolution: {:?}", res),
|
||||
}
|
||||
|
||||
// Type-check the path.
|
||||
// Find the type of the path pattern, for later checking.
|
||||
let (pat_ty, pat_res) =
|
||||
self.instantiate_value_path(segments, opt_ty, res, span, span, path_id);
|
||||
Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::Path { res, pat_res, segments } })
|
||||
}
|
||||
|
||||
fn check_pat_path(
|
||||
&self,
|
||||
pat_id_for_diag: HirId,
|
||||
span: Span,
|
||||
resolved: &ResolvedPat<'tcx>,
|
||||
expected: Ty<'tcx>,
|
||||
ti: &TopInfo<'tcx>,
|
||||
) -> Ty<'tcx> {
|
||||
if let Err(err) =
|
||||
self.demand_suptype_with_origin(&self.pattern_cause(ti, span), expected, pat_ty)
|
||||
self.demand_suptype_with_origin(&self.pattern_cause(ti, span), expected, resolved.ty)
|
||||
{
|
||||
self.emit_bad_pat_path(err, pat_id_for_diag, span, res, pat_res, pat_ty, segments);
|
||||
self.emit_bad_pat_path(err, pat_id_for_diag, span, resolved);
|
||||
}
|
||||
pat_ty
|
||||
resolved.ty
|
||||
}
|
||||
|
||||
fn maybe_suggest_range_literal(
|
||||
|
@ -1249,11 +1421,12 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
mut e: Diag<'_>,
|
||||
hir_id: HirId,
|
||||
pat_span: Span,
|
||||
res: Res,
|
||||
pat_res: Res,
|
||||
pat_ty: Ty<'tcx>,
|
||||
segments: &'tcx [hir::PathSegment<'tcx>],
|
||||
resolved_pat: &ResolvedPat<'tcx>,
|
||||
) {
|
||||
let ResolvedPatKind::Path { res, pat_res, segments } = resolved_pat.kind else {
|
||||
span_bug!(pat_span, "unexpected resolution for path pattern: {resolved_pat:?}");
|
||||
};
|
||||
|
||||
if let Some(span) = self.tcx.hir_res_span(pat_res) {
|
||||
e.span_label(span, format!("{} defined here", res.descr()));
|
||||
if let [hir::PathSegment { ident, .. }] = &*segments {
|
||||
|
@ -1276,7 +1449,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
);
|
||||
}
|
||||
_ => {
|
||||
let (type_def_id, item_def_id) = match pat_ty.kind() {
|
||||
let (type_def_id, item_def_id) = match resolved_pat.ty.kind() {
|
||||
ty::Adt(def, _) => match res {
|
||||
Res::Def(DefKind::Const, def_id) => (Some(def.did()), Some(def_id)),
|
||||
_ => (None, None),
|
||||
|
@ -1316,12 +1489,61 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
e.emit();
|
||||
}
|
||||
|
||||
fn resolve_pat_tuple_struct(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
qpath: &'tcx hir::QPath<'tcx>,
|
||||
) -> Result<ResolvedPat<'tcx>, ErrorGuaranteed> {
|
||||
let tcx = self.tcx;
|
||||
let report_unexpected_res = |res: Res| {
|
||||
let expected = "tuple struct or tuple variant";
|
||||
let e = report_unexpected_variant_res(tcx, res, None, qpath, pat.span, E0164, expected);
|
||||
Err(e)
|
||||
};
|
||||
|
||||
// Resolve the path and check the definition for errors.
|
||||
let (res, opt_ty, segments) =
|
||||
self.resolve_ty_and_res_fully_qualified_call(qpath, pat.hir_id, pat.span);
|
||||
if res == Res::Err {
|
||||
let e = self.dcx().span_delayed_bug(pat.span, "`Res::Err` but no error emitted");
|
||||
self.set_tainted_by_errors(e);
|
||||
return Err(e);
|
||||
}
|
||||
|
||||
// Type-check the path.
|
||||
let (pat_ty, res) =
|
||||
self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.span, pat.hir_id);
|
||||
if !pat_ty.is_fn() {
|
||||
return report_unexpected_res(res);
|
||||
}
|
||||
|
||||
let variant = match res {
|
||||
Res::Err => {
|
||||
self.dcx().span_bug(pat.span, "`Res::Err` but no error emitted");
|
||||
}
|
||||
Res::Def(DefKind::AssocConst | DefKind::AssocFn, _) => {
|
||||
return report_unexpected_res(res);
|
||||
}
|
||||
Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
|
||||
_ => bug!("unexpected pattern resolution: {:?}", res),
|
||||
};
|
||||
|
||||
// Replace constructor type with constructed type for tuple struct patterns.
|
||||
let pat_ty = pat_ty.fn_sig(tcx).output();
|
||||
let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
|
||||
|
||||
Ok(ResolvedPat { ty: pat_ty, kind: ResolvedPatKind::TupleStruct { res, variant } })
|
||||
}
|
||||
|
||||
fn check_pat_tuple_struct(
|
||||
&self,
|
||||
pat: &'tcx Pat<'tcx>,
|
||||
qpath: &'tcx hir::QPath<'tcx>,
|
||||
subpats: &'tcx [Pat<'tcx>],
|
||||
ddpos: hir::DotDotPos,
|
||||
res: Res,
|
||||
pat_ty: Ty<'tcx>,
|
||||
variant: &'tcx VariantDef,
|
||||
expected: Ty<'tcx>,
|
||||
pat_info: PatInfo<'tcx>,
|
||||
) -> Ty<'tcx> {
|
||||
|
@ -1331,46 +1553,6 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
self.check_pat(pat, Ty::new_error(tcx, e), pat_info);
|
||||
}
|
||||
};
|
||||
let report_unexpected_res = |res: Res| {
|
||||
let expected = "tuple struct or tuple variant";
|
||||
let e = report_unexpected_variant_res(tcx, res, None, qpath, pat.span, E0164, expected);
|
||||
on_error(e);
|
||||
e
|
||||
};
|
||||
|
||||
// Resolve the path and check the definition for errors.
|
||||
let (res, opt_ty, segments) =
|
||||
self.resolve_ty_and_res_fully_qualified_call(qpath, pat.hir_id, pat.span);
|
||||
if res == Res::Err {
|
||||
let e = self.dcx().span_delayed_bug(pat.span, "`Res::Err` but no error emitted");
|
||||
self.set_tainted_by_errors(e);
|
||||
on_error(e);
|
||||
return Ty::new_error(tcx, e);
|
||||
}
|
||||
|
||||
// Type-check the path.
|
||||
let (pat_ty, res) =
|
||||
self.instantiate_value_path(segments, opt_ty, res, pat.span, pat.span, pat.hir_id);
|
||||
if !pat_ty.is_fn() {
|
||||
let e = report_unexpected_res(res);
|
||||
return Ty::new_error(tcx, e);
|
||||
}
|
||||
|
||||
let variant = match res {
|
||||
Res::Err => {
|
||||
self.dcx().span_bug(pat.span, "`Res::Err` but no error emitted");
|
||||
}
|
||||
Res::Def(DefKind::AssocConst | DefKind::AssocFn, _) => {
|
||||
let e = report_unexpected_res(res);
|
||||
return Ty::new_error(tcx, e);
|
||||
}
|
||||
Res::Def(DefKind::Ctor(_, CtorKind::Fn), _) => tcx.expect_variant_res(res),
|
||||
_ => bug!("unexpected pattern resolution: {:?}", res),
|
||||
};
|
||||
|
||||
// Replace constructor type with constructed type for tuple struct patterns.
|
||||
let pat_ty = pat_ty.fn_sig(tcx).output();
|
||||
let pat_ty = pat_ty.no_bound_vars().expect("expected fn type");
|
||||
|
||||
// Type-check the tuple struct pattern against the expected type.
|
||||
let diag = self.demand_eqtype_pat_diag(pat.span, expected, pat_ty, &pat_info.top_info);
|
||||
|
@ -2255,36 +2437,49 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
expected: Ty<'tcx>,
|
||||
pat_info: PatInfo<'tcx>,
|
||||
) -> Ty<'tcx> {
|
||||
let tcx = self.tcx;
|
||||
let target_ty = self.deref_pat_target(span, expected);
|
||||
self.check_pat(inner, target_ty, pat_info);
|
||||
self.register_deref_mut_bounds_if_needed(span, inner, [expected]);
|
||||
expected
|
||||
}
|
||||
|
||||
fn deref_pat_target(&self, span: Span, source_ty: Ty<'tcx>) -> Ty<'tcx> {
|
||||
// Register a `DerefPure` bound, which is required by all `deref!()` pats.
|
||||
let tcx = self.tcx;
|
||||
self.register_bound(
|
||||
expected,
|
||||
source_ty,
|
||||
tcx.require_lang_item(hir::LangItem::DerefPure, Some(span)),
|
||||
self.misc(span),
|
||||
);
|
||||
// <expected as Deref>::Target
|
||||
let ty = Ty::new_projection(
|
||||
// The expected type for the deref pat's inner pattern is `<expected as Deref>::Target`.
|
||||
let target_ty = Ty::new_projection(
|
||||
tcx,
|
||||
tcx.require_lang_item(hir::LangItem::DerefTarget, Some(span)),
|
||||
[expected],
|
||||
[source_ty],
|
||||
);
|
||||
let ty = self.normalize(span, ty);
|
||||
let ty = self.try_structurally_resolve_type(span, ty);
|
||||
self.check_pat(inner, ty, pat_info);
|
||||
let target_ty = self.normalize(span, target_ty);
|
||||
self.try_structurally_resolve_type(span, target_ty)
|
||||
}
|
||||
|
||||
// Check if the pattern has any `ref mut` bindings, which would require
|
||||
// `DerefMut` to be emitted in MIR building instead of just `Deref`.
|
||||
// We do this *after* checking the inner pattern, since we want to make
|
||||
// sure to apply any match-ergonomics adjustments.
|
||||
/// Check if the interior of a deref pattern (either explicit or implicit) has any `ref mut`
|
||||
/// bindings, which would require `DerefMut` to be emitted in MIR building instead of just
|
||||
/// `Deref`. We do this *after* checking the inner pattern, since we want to make sure to
|
||||
/// account for `ref mut` binding modes inherited from implicitly dereferencing `&mut` refs.
|
||||
fn register_deref_mut_bounds_if_needed(
|
||||
&self,
|
||||
span: Span,
|
||||
inner: &'tcx Pat<'tcx>,
|
||||
derefed_tys: impl IntoIterator<Item = Ty<'tcx>>,
|
||||
) {
|
||||
if self.typeck_results.borrow().pat_has_ref_mut_binding(inner) {
|
||||
self.register_bound(
|
||||
expected,
|
||||
tcx.require_lang_item(hir::LangItem::DerefMut, Some(span)),
|
||||
self.misc(span),
|
||||
);
|
||||
for mutably_derefed_ty in derefed_tys {
|
||||
self.register_bound(
|
||||
mutably_derefed_ty,
|
||||
self.tcx.require_lang_item(hir::LangItem::DerefMut, Some(span)),
|
||||
self.misc(span),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
expected
|
||||
}
|
||||
|
||||
// Precondition: Pat is Ref(inner)
|
||||
|
|
|
@ -93,7 +93,7 @@ incremental_undefined_clean_dirty_assertions =
|
|||
incremental_undefined_clean_dirty_assertions_item =
|
||||
clean/dirty auto-assertions not yet defined for Node::Item.node={$kind}
|
||||
|
||||
incremental_unknown_item = unknown item `{$name}`
|
||||
incremental_unknown_rustc_clean_argument = unknown `rustc_clean` argument
|
||||
|
||||
incremental_unrecognized_depnode = unrecognized `DepNode` variant: {$name}
|
||||
|
||||
|
|
|
@ -107,11 +107,10 @@ pub(crate) struct NotLoaded<'a> {
|
|||
}
|
||||
|
||||
#[derive(Diagnostic)]
|
||||
#[diag(incremental_unknown_item)]
|
||||
pub(crate) struct UnknownItem {
|
||||
#[diag(incremental_unknown_rustc_clean_argument)]
|
||||
pub(crate) struct UnknownRustcCleanArgument {
|
||||
#[primary_span]
|
||||
pub span: Span,
|
||||
pub name: Symbol,
|
||||
}
|
||||
|
||||
#[derive(Diagnostic)]
|
||||
|
|
|
@ -405,8 +405,7 @@ fn check_config(tcx: TyCtxt<'_>, attr: &Attribute) -> bool {
|
|||
debug!("check_config: searching for cfg {:?}", value);
|
||||
cfg = Some(config.contains(&(value, None)));
|
||||
} else if !(item.has_name(EXCEPT) || item.has_name(LOADED_FROM_DISK)) {
|
||||
tcx.dcx()
|
||||
.emit_err(errors::UnknownItem { span: attr.span(), name: item.name_or_empty() });
|
||||
tcx.dcx().emit_err(errors::UnknownRustcCleanArgument { span: item.span() });
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -249,7 +249,7 @@ impl Level {
|
|||
|
||||
/// Converts an `Attribute` to a level.
|
||||
pub fn from_attr(attr: &impl AttributeExt) -> Option<(Self, Option<LintExpectationId>)> {
|
||||
Self::from_symbol(attr.name_or_empty(), || Some(attr.id()))
|
||||
attr.name().and_then(|name| Self::from_symbol(name, || Some(attr.id())))
|
||||
}
|
||||
|
||||
/// Converts a `Symbol` to a level.
|
||||
|
|
|
@ -226,8 +226,8 @@ impl<'tcx> Collector<'tcx> {
|
|||
let mut wasm_import_module = None;
|
||||
let mut import_name_type = None;
|
||||
for item in items.iter() {
|
||||
match item.name_or_empty() {
|
||||
sym::name => {
|
||||
match item.name() {
|
||||
Some(sym::name) => {
|
||||
if name.is_some() {
|
||||
sess.dcx().emit_err(errors::MultipleNamesInLink { span: item.span() });
|
||||
continue;
|
||||
|
@ -242,7 +242,7 @@ impl<'tcx> Collector<'tcx> {
|
|||
}
|
||||
name = Some((link_name, span));
|
||||
}
|
||||
sym::kind => {
|
||||
Some(sym::kind) => {
|
||||
if kind.is_some() {
|
||||
sess.dcx().emit_err(errors::MultipleKindsInLink { span: item.span() });
|
||||
continue;
|
||||
|
@ -304,7 +304,7 @@ impl<'tcx> Collector<'tcx> {
|
|||
};
|
||||
kind = Some(link_kind);
|
||||
}
|
||||
sym::modifiers => {
|
||||
Some(sym::modifiers) => {
|
||||
if modifiers.is_some() {
|
||||
sess.dcx()
|
||||
.emit_err(errors::MultipleLinkModifiers { span: item.span() });
|
||||
|
@ -316,7 +316,7 @@ impl<'tcx> Collector<'tcx> {
|
|||
};
|
||||
modifiers = Some((link_modifiers, item.name_value_literal_span().unwrap()));
|
||||
}
|
||||
sym::cfg => {
|
||||
Some(sym::cfg) => {
|
||||
if cfg.is_some() {
|
||||
sess.dcx().emit_err(errors::MultipleCfgs { span: item.span() });
|
||||
continue;
|
||||
|
@ -346,7 +346,7 @@ impl<'tcx> Collector<'tcx> {
|
|||
}
|
||||
cfg = Some(link_cfg.clone());
|
||||
}
|
||||
sym::wasm_import_module => {
|
||||
Some(sym::wasm_import_module) => {
|
||||
if wasm_import_module.is_some() {
|
||||
sess.dcx().emit_err(errors::MultipleWasmImport { span: item.span() });
|
||||
continue;
|
||||
|
@ -357,7 +357,7 @@ impl<'tcx> Collector<'tcx> {
|
|||
};
|
||||
wasm_import_module = Some((link_wasm_import_module, item.span()));
|
||||
}
|
||||
sym::import_name_type => {
|
||||
Some(sym::import_name_type) => {
|
||||
if import_name_type.is_some() {
|
||||
sess.dcx()
|
||||
.emit_err(errors::MultipleImportNameType { span: item.span() });
|
||||
|
|
|
@ -821,7 +821,9 @@ struct AnalyzeAttrState<'a> {
|
|||
#[inline]
|
||||
fn analyze_attr(attr: &impl AttributeExt, state: &mut AnalyzeAttrState<'_>) -> bool {
|
||||
let mut should_encode = false;
|
||||
if !rustc_feature::encode_cross_crate(attr.name_or_empty()) {
|
||||
if let Some(name) = attr.name()
|
||||
&& !rustc_feature::encode_cross_crate(name)
|
||||
{
|
||||
// Attributes not marked encode-cross-crate don't need to be encoded for downstream crates.
|
||||
} else if attr.doc_str().is_some() {
|
||||
// We keep all doc comments reachable to rustdoc because they might be "imported" into
|
||||
|
|
|
@ -214,3 +214,25 @@ pub enum CustomCoerceUnsized {
|
|||
/// Records the index of the field being coerced.
|
||||
Struct(FieldIdx),
|
||||
}
|
||||
|
||||
/// Represents an implicit coercion applied to the scrutinee of a match before testing a pattern
|
||||
/// against it. Currently, this is used only for implicit dereferences.
|
||||
#[derive(Clone, Copy, TyEncodable, TyDecodable, HashStable, TypeFoldable, TypeVisitable)]
|
||||
pub struct PatAdjustment<'tcx> {
|
||||
pub kind: PatAdjust,
|
||||
/// The type of the scrutinee before the adjustment is applied, or the "adjusted type" of the
|
||||
/// pattern.
|
||||
pub source: Ty<'tcx>,
|
||||
}
|
||||
|
||||
/// Represents implicit coercions of patterns' types, rather than values' types.
|
||||
#[derive(Clone, Copy, PartialEq, Debug, TyEncodable, TyDecodable, HashStable)]
|
||||
#[derive(TypeFoldable, TypeVisitable)]
|
||||
pub enum PatAdjust {
|
||||
/// An implicit dereference before matching, such as when matching the pattern `0` against a
|
||||
/// scrutinee of type `&u8` or `&mut u8`.
|
||||
BuiltinDeref,
|
||||
/// An implicit call to `Deref(Mut)::deref(_mut)` before matching, such as when matching the
|
||||
/// pattern `[..]` against a scrutinee of type `Vec<T>`.
|
||||
OverloadedDeref,
|
||||
}
|
||||
|
|
|
@ -60,6 +60,12 @@ impl<'tcx> fmt::Debug for ty::adjustment::Adjustment<'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
impl<'tcx> fmt::Debug for ty::adjustment::PatAdjustment<'tcx> {
|
||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||
write!(f, "{} -> {:?}", self.source, self.kind)
|
||||
}
|
||||
}
|
||||
|
||||
impl fmt::Debug for ty::BoundRegionKind {
|
||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||
match *self {
|
||||
|
|
|
@ -77,8 +77,8 @@ pub struct TypeckResults<'tcx> {
|
|||
/// to a form valid in all Editions, either as a lint diagnostic or hard error.
|
||||
rust_2024_migration_desugared_pats: ItemLocalMap<Rust2024IncompatiblePatInfo>,
|
||||
|
||||
/// Stores the types which were implicitly dereferenced in pattern binding modes
|
||||
/// for later usage in THIR lowering. For example,
|
||||
/// Stores the types which were implicitly dereferenced in pattern binding modes or deref
|
||||
/// patterns for later usage in THIR lowering. For example,
|
||||
///
|
||||
/// ```
|
||||
/// match &&Some(5i32) {
|
||||
|
@ -86,11 +86,20 @@ pub struct TypeckResults<'tcx> {
|
|||
/// _ => {},
|
||||
/// }
|
||||
/// ```
|
||||
/// leads to a `vec![&&Option<i32>, &Option<i32>]`. Empty vectors are not stored.
|
||||
/// leads to a `vec![&&Option<i32>, &Option<i32>]` and
|
||||
///
|
||||
/// ```
|
||||
/// #![feature(deref_patterns)]
|
||||
/// match &Box::new(Some(5i32)) {
|
||||
/// Some(n) => {},
|
||||
/// _ => {},
|
||||
/// }
|
||||
/// ```
|
||||
/// leads to a `vec![&Box<Option<i32>>, Box<Option<i32>>]`. Empty vectors are not stored.
|
||||
///
|
||||
/// See:
|
||||
/// <https://github.com/rust-lang/rfcs/blob/master/text/2005-match-ergonomics.md#definitions>
|
||||
pat_adjustments: ItemLocalMap<Vec<Ty<'tcx>>>,
|
||||
pat_adjustments: ItemLocalMap<Vec<ty::adjustment::PatAdjustment<'tcx>>>,
|
||||
|
||||
/// Set of reference patterns that match against a match-ergonomics inserted reference
|
||||
/// (as opposed to against a reference in the scrutinee type).
|
||||
|
@ -403,11 +412,15 @@ impl<'tcx> TypeckResults<'tcx> {
|
|||
LocalTableInContextMut { hir_owner: self.hir_owner, data: &mut self.pat_binding_modes }
|
||||
}
|
||||
|
||||
pub fn pat_adjustments(&self) -> LocalTableInContext<'_, Vec<Ty<'tcx>>> {
|
||||
pub fn pat_adjustments(
|
||||
&self,
|
||||
) -> LocalTableInContext<'_, Vec<ty::adjustment::PatAdjustment<'tcx>>> {
|
||||
LocalTableInContext { hir_owner: self.hir_owner, data: &self.pat_adjustments }
|
||||
}
|
||||
|
||||
pub fn pat_adjustments_mut(&mut self) -> LocalTableInContextMut<'_, Vec<Ty<'tcx>>> {
|
||||
pub fn pat_adjustments_mut(
|
||||
&mut self,
|
||||
) -> LocalTableInContextMut<'_, Vec<ty::adjustment::PatAdjustment<'tcx>>> {
|
||||
LocalTableInContextMut { hir_owner: self.hir_owner, data: &mut self.pat_adjustments }
|
||||
}
|
||||
|
||||
|
|
|
@ -103,8 +103,9 @@ fn parse_attribute(attr: &Attribute) -> MirPhase {
|
|||
let mut dialect: Option<String> = None;
|
||||
let mut phase: Option<String> = None;
|
||||
|
||||
// Not handling errors properly for this internal attribute; will just abort on errors.
|
||||
for nested in meta_items {
|
||||
let name = nested.name_or_empty();
|
||||
let name = nested.name().unwrap();
|
||||
let value = nested.value_str().unwrap().as_str().to_string();
|
||||
match name.as_str() {
|
||||
"dialect" => {
|
||||
|
|
|
@ -485,7 +485,7 @@ fn construct_fn<'tcx>(
|
|||
};
|
||||
|
||||
if let Some(custom_mir_attr) =
|
||||
tcx.hir_attrs(fn_id).iter().find(|attr| attr.name_or_empty() == sym::custom_mir)
|
||||
tcx.hir_attrs(fn_id).iter().find(|attr| attr.has_name(sym::custom_mir))
|
||||
{
|
||||
return custom::build_custom_mir(
|
||||
tcx,
|
||||
|
|
|
@ -113,7 +113,7 @@ impl<'tcx> ThirBuildCx<'tcx> {
|
|||
apply_adjustments: tcx
|
||||
.hir_attrs(hir_id)
|
||||
.iter()
|
||||
.all(|attr| attr.name_or_empty() != rustc_span::sym::custom_mir),
|
||||
.all(|attr| !attr.has_name(rustc_span::sym::custom_mir)),
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -4,8 +4,7 @@ use rustc_data_structures::fx::FxIndexMap;
|
|||
use rustc_errors::MultiSpan;
|
||||
use rustc_hir::{BindingMode, ByRef, HirId, Mutability};
|
||||
use rustc_lint as lint;
|
||||
use rustc_middle::span_bug;
|
||||
use rustc_middle::ty::{self, Rust2024IncompatiblePatInfo, Ty, TyCtxt};
|
||||
use rustc_middle::ty::{self, Rust2024IncompatiblePatInfo, TyCtxt};
|
||||
use rustc_span::{Ident, Span};
|
||||
|
||||
use crate::errors::{Rust2024IncompatiblePat, Rust2024IncompatiblePatSugg};
|
||||
|
@ -87,19 +86,18 @@ impl<'a> PatMigration<'a> {
|
|||
}
|
||||
|
||||
/// Tracks when we're lowering a pattern that implicitly dereferences the scrutinee.
|
||||
/// This should only be called when the pattern type adjustments list `adjustments` is
|
||||
/// non-empty. Returns the prior default binding mode; this should be followed by a call to
|
||||
/// [`PatMigration::leave_ref`] to restore it when we leave the pattern.
|
||||
/// This should only be called when the pattern type adjustments list `adjustments` contains an
|
||||
/// implicit deref of a reference type. Returns the prior default binding mode; this should be
|
||||
/// followed by a call to [`PatMigration::leave_ref`] to restore it when we leave the pattern.
|
||||
pub(super) fn visit_implicit_derefs<'tcx>(
|
||||
&mut self,
|
||||
pat_span: Span,
|
||||
adjustments: &[Ty<'tcx>],
|
||||
adjustments: &[ty::adjustment::PatAdjustment<'tcx>],
|
||||
) -> Option<(Span, Mutability)> {
|
||||
let implicit_deref_mutbls = adjustments.iter().map(|ref_ty| {
|
||||
let &ty::Ref(_, _, mutbl) = ref_ty.kind() else {
|
||||
span_bug!(pat_span, "pattern implicitly dereferences a non-ref type");
|
||||
};
|
||||
mutbl
|
||||
// Implicitly dereferencing references changes the default binding mode, but implicit derefs
|
||||
// of smart pointers do not. Thus, we only consider implicit derefs of reference types.
|
||||
let implicit_deref_mutbls = adjustments.iter().filter_map(|adjust| {
|
||||
if let &ty::Ref(_, _, mutbl) = adjust.source.kind() { Some(mutbl) } else { None }
|
||||
});
|
||||
|
||||
if !self.info.suggest_eliding_modes {
|
||||
|
|
|
@ -18,6 +18,7 @@ use rustc_middle::mir::interpret::LitToConstInput;
|
|||
use rustc_middle::thir::{
|
||||
Ascription, FieldPat, LocalVarId, Pat, PatKind, PatRange, PatRangeBoundary,
|
||||
};
|
||||
use rustc_middle::ty::adjustment::{PatAdjust, PatAdjustment};
|
||||
use rustc_middle::ty::layout::IntegerExt;
|
||||
use rustc_middle::ty::{self, CanonicalUserTypeAnnotation, Ty, TyCtxt, TypingMode};
|
||||
use rustc_middle::{bug, span_bug};
|
||||
|
@ -63,13 +64,15 @@ pub(super) fn pat_from_hir<'a, 'tcx>(
|
|||
|
||||
impl<'a, 'tcx> PatCtxt<'a, 'tcx> {
|
||||
fn lower_pattern(&mut self, pat: &'tcx hir::Pat<'tcx>) -> Box<Pat<'tcx>> {
|
||||
let adjustments: &[Ty<'tcx>] =
|
||||
let adjustments: &[PatAdjustment<'tcx>] =
|
||||
self.typeck_results.pat_adjustments().get(pat.hir_id).map_or(&[], |v| &**v);
|
||||
|
||||
// Track the default binding mode for the Rust 2024 migration suggestion.
|
||||
// Implicitly dereferencing references changes the default binding mode, but implicit deref
|
||||
// patterns do not. Only track binding mode changes if a ref type is in the adjustments.
|
||||
let mut opt_old_mode_span = None;
|
||||
if let Some(s) = &mut self.rust_2024_migration
|
||||
&& !adjustments.is_empty()
|
||||
&& adjustments.iter().any(|adjust| adjust.kind == PatAdjust::BuiltinDeref)
|
||||
{
|
||||
opt_old_mode_span = s.visit_implicit_derefs(pat.span, adjustments);
|
||||
}
|
||||
|
@ -102,17 +105,23 @@ impl<'a, 'tcx> PatCtxt<'a, 'tcx> {
|
|||
_ => self.lower_pattern_unadjusted(pat),
|
||||
};
|
||||
|
||||
let adjusted_pat = adjustments.iter().rev().fold(unadjusted_pat, |thir_pat, ref_ty| {
|
||||
debug!("{:?}: wrapping pattern with type {:?}", thir_pat, ref_ty);
|
||||
Box::new(Pat {
|
||||
span: thir_pat.span,
|
||||
ty: *ref_ty,
|
||||
kind: PatKind::Deref { subpattern: thir_pat },
|
||||
})
|
||||
let adjusted_pat = adjustments.iter().rev().fold(unadjusted_pat, |thir_pat, adjust| {
|
||||
debug!("{:?}: wrapping pattern with adjustment {:?}", thir_pat, adjust);
|
||||
let span = thir_pat.span;
|
||||
let kind = match adjust.kind {
|
||||
PatAdjust::BuiltinDeref => PatKind::Deref { subpattern: thir_pat },
|
||||
PatAdjust::OverloadedDeref => {
|
||||
let mutable = self.typeck_results.pat_has_ref_mut_binding(pat);
|
||||
let mutability =
|
||||
if mutable { hir::Mutability::Mut } else { hir::Mutability::Not };
|
||||
PatKind::DerefPattern { subpattern: thir_pat, mutability }
|
||||
}
|
||||
};
|
||||
Box::new(Pat { span, ty: adjust.source, kind })
|
||||
});
|
||||
|
||||
if let Some(s) = &mut self.rust_2024_migration
|
||||
&& !adjustments.is_empty()
|
||||
&& adjustments.iter().any(|adjust| adjust.kind == PatAdjust::BuiltinDeref)
|
||||
{
|
||||
s.leave_ref(opt_old_mode_span);
|
||||
}
|
||||
|
|
|
@ -109,27 +109,29 @@ impl RustcMirAttrs {
|
|||
.flat_map(|attr| attr.meta_item_list().into_iter().flat_map(|v| v.into_iter()));
|
||||
|
||||
for attr in rustc_mir_attrs {
|
||||
let attr_result = if attr.has_name(sym::borrowck_graphviz_postflow) {
|
||||
Self::set_field(&mut ret.basename_and_suffix, tcx, &attr, |s| {
|
||||
let path = PathBuf::from(s.to_string());
|
||||
match path.file_name() {
|
||||
Some(_) => Ok(path),
|
||||
None => {
|
||||
tcx.dcx().emit_err(PathMustEndInFilename { span: attr.span() });
|
||||
let attr_result = match attr.name() {
|
||||
Some(name @ sym::borrowck_graphviz_postflow) => {
|
||||
Self::set_field(&mut ret.basename_and_suffix, tcx, name, &attr, |s| {
|
||||
let path = PathBuf::from(s.to_string());
|
||||
match path.file_name() {
|
||||
Some(_) => Ok(path),
|
||||
None => {
|
||||
tcx.dcx().emit_err(PathMustEndInFilename { span: attr.span() });
|
||||
Err(())
|
||||
}
|
||||
}
|
||||
})
|
||||
}
|
||||
Some(name @ sym::borrowck_graphviz_format) => {
|
||||
Self::set_field(&mut ret.formatter, tcx, name, &attr, |s| match s {
|
||||
sym::two_phase => Ok(s),
|
||||
_ => {
|
||||
tcx.dcx().emit_err(UnknownFormatter { span: attr.span() });
|
||||
Err(())
|
||||
}
|
||||
}
|
||||
})
|
||||
} else if attr.has_name(sym::borrowck_graphviz_format) {
|
||||
Self::set_field(&mut ret.formatter, tcx, &attr, |s| match s {
|
||||
sym::two_phase => Ok(s),
|
||||
_ => {
|
||||
tcx.dcx().emit_err(UnknownFormatter { span: attr.span() });
|
||||
Err(())
|
||||
}
|
||||
})
|
||||
} else {
|
||||
Ok(())
|
||||
})
|
||||
}
|
||||
_ => Ok(()),
|
||||
};
|
||||
|
||||
result = result.and(attr_result);
|
||||
|
@ -141,12 +143,12 @@ impl RustcMirAttrs {
|
|||
fn set_field<T>(
|
||||
field: &mut Option<T>,
|
||||
tcx: TyCtxt<'_>,
|
||||
name: Symbol,
|
||||
attr: &ast::MetaItemInner,
|
||||
mapper: impl FnOnce(Symbol) -> Result<T, ()>,
|
||||
) -> Result<(), ()> {
|
||||
if field.is_some() {
|
||||
tcx.dcx()
|
||||
.emit_err(DuplicateValuesFor { span: attr.span(), name: attr.name_or_empty() });
|
||||
tcx.dcx().emit_err(DuplicateValuesFor { span: attr.span(), name });
|
||||
|
||||
return Err(());
|
||||
}
|
||||
|
@ -156,7 +158,7 @@ impl RustcMirAttrs {
|
|||
Ok(())
|
||||
} else {
|
||||
tcx.dcx()
|
||||
.emit_err(RequiresAnArgument { span: attr.span(), name: attr.name_or_empty() });
|
||||
.emit_err(RequiresAnArgument { span: attr.span(), name: attr.name().unwrap() });
|
||||
Err(())
|
||||
}
|
||||
}
|
||||
|
|
|
@ -404,7 +404,7 @@ passes_invalid_attr_at_crate_level =
|
|||
passes_invalid_attr_at_crate_level_item =
|
||||
the inner attribute doesn't annotate this {$kind}
|
||||
|
||||
passes_invalid_macro_export_arguments = `{$name}` isn't a valid `#[macro_export]` argument
|
||||
passes_invalid_macro_export_arguments = invalid `#[macro_export]` argument
|
||||
|
||||
passes_invalid_macro_export_arguments_too_many_items = `#[macro_export]` can only take 1 or 0 arguments
|
||||
|
||||
|
@ -771,8 +771,8 @@ passes_unreachable_due_to_uninhabited = unreachable {$descr}
|
|||
.label_orig = any code following this expression is unreachable
|
||||
.note = this expression has type `{$ty}`, which is uninhabited
|
||||
|
||||
passes_unrecognized_field =
|
||||
unrecognized field name `{$name}`
|
||||
passes_unrecognized_argument =
|
||||
unrecognized argument
|
||||
|
||||
passes_unstable_attr_for_already_stable_feature =
|
||||
can't mark as unstable using an already stable feature
|
||||
|
|
|
@ -9,7 +9,7 @@ use rustc_span::sym;
|
|||
use rustc_target::callconv::FnAbi;
|
||||
|
||||
use super::layout_test::ensure_wf;
|
||||
use crate::errors::{AbiInvalidAttribute, AbiNe, AbiOf, UnrecognizedField};
|
||||
use crate::errors::{AbiInvalidAttribute, AbiNe, AbiOf, UnrecognizedArgument};
|
||||
|
||||
pub fn test_abi(tcx: TyCtxt<'_>) {
|
||||
if !tcx.features().rustc_attrs() {
|
||||
|
@ -77,8 +77,8 @@ fn dump_abi_of_fn_item(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribut
|
|||
// The `..` are the names of fields to dump.
|
||||
let meta_items = attr.meta_item_list().unwrap_or_default();
|
||||
for meta_item in meta_items {
|
||||
match meta_item.name_or_empty() {
|
||||
sym::debug => {
|
||||
match meta_item.name() {
|
||||
Some(sym::debug) => {
|
||||
let fn_name = tcx.item_name(item_def_id.into());
|
||||
tcx.dcx().emit_err(AbiOf {
|
||||
span: tcx.def_span(item_def_id),
|
||||
|
@ -88,8 +88,8 @@ fn dump_abi_of_fn_item(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribut
|
|||
});
|
||||
}
|
||||
|
||||
name => {
|
||||
tcx.dcx().emit_err(UnrecognizedField { span: meta_item.span(), name });
|
||||
_ => {
|
||||
tcx.dcx().emit_err(UnrecognizedArgument { span: meta_item.span() });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -118,8 +118,8 @@ fn dump_abi_of_fn_type(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribut
|
|||
}
|
||||
let meta_items = attr.meta_item_list().unwrap_or_default();
|
||||
for meta_item in meta_items {
|
||||
match meta_item.name_or_empty() {
|
||||
sym::debug => {
|
||||
match meta_item.name() {
|
||||
Some(sym::debug) => {
|
||||
let ty::FnPtr(sig_tys, hdr) = ty.kind() else {
|
||||
span_bug!(
|
||||
meta_item.span(),
|
||||
|
@ -138,7 +138,7 @@ fn dump_abi_of_fn_type(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribut
|
|||
let fn_name = tcx.item_name(item_def_id.into());
|
||||
tcx.dcx().emit_err(AbiOf { span, fn_name, fn_abi: format!("{:#?}", abi) });
|
||||
}
|
||||
sym::assert_eq => {
|
||||
Some(sym::assert_eq) => {
|
||||
let ty::Tuple(fields) = ty.kind() else {
|
||||
span_bug!(
|
||||
meta_item.span(),
|
||||
|
@ -188,8 +188,8 @@ fn dump_abi_of_fn_type(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribut
|
|||
});
|
||||
}
|
||||
}
|
||||
name => {
|
||||
tcx.dcx().emit_err(UnrecognizedField { span: meta_item.span(), name });
|
||||
_ => {
|
||||
tcx.dcx().emit_err(UnrecognizedArgument { span: meta_item.span() });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -523,9 +523,9 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
fn check_no_sanitize(&self, attr: &Attribute, span: Span, target: Target) {
|
||||
if let Some(list) = attr.meta_item_list() {
|
||||
for item in list.iter() {
|
||||
let sym = item.name_or_empty();
|
||||
let sym = item.name();
|
||||
match sym {
|
||||
sym::address | sym::hwaddress => {
|
||||
Some(s @ sym::address | s @ sym::hwaddress) => {
|
||||
let is_valid =
|
||||
matches!(target, Target::Fn | Target::Method(..) | Target::Static);
|
||||
if !is_valid {
|
||||
|
@ -533,7 +533,7 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
attr_span: item.span(),
|
||||
defn_span: span,
|
||||
accepted_kind: "a function or static",
|
||||
attr_str: sym.as_str(),
|
||||
attr_str: s.as_str(),
|
||||
});
|
||||
}
|
||||
}
|
||||
|
@ -544,7 +544,10 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
attr_span: item.span(),
|
||||
defn_span: span,
|
||||
accepted_kind: "a function",
|
||||
attr_str: sym.as_str(),
|
||||
attr_str: &match sym {
|
||||
Some(name) => name.to_string(),
|
||||
None => "...".to_string(),
|
||||
},
|
||||
});
|
||||
}
|
||||
}
|
||||
|
@ -561,12 +564,15 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
allowed_target: Target,
|
||||
) {
|
||||
if target != allowed_target {
|
||||
let path = attr.path();
|
||||
let path: Vec<_> = path.iter().map(|s| s.as_str()).collect();
|
||||
let attr_name = path.join("::");
|
||||
self.tcx.emit_node_span_lint(
|
||||
UNUSED_ATTRIBUTES,
|
||||
hir_id,
|
||||
attr.span(),
|
||||
errors::OnlyHasEffectOn {
|
||||
attr_name: attr.name_or_empty(),
|
||||
attr_name,
|
||||
target_name: allowed_target.name().replace(' ', "_"),
|
||||
},
|
||||
);
|
||||
|
@ -589,7 +595,8 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
// * `#[track_caller]`
|
||||
// * `#[test]`, `#[ignore]`, `#[should_panic]`
|
||||
//
|
||||
// NOTE: when making changes to this list, check that `error_codes/E0736.md` remains accurate
|
||||
// NOTE: when making changes to this list, check that `error_codes/E0736.md` remains
|
||||
// accurate.
|
||||
const ALLOW_LIST: &[rustc_span::Symbol] = &[
|
||||
// conditional compilation
|
||||
sym::cfg_trace,
|
||||
|
@ -672,11 +679,11 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
if !ALLOW_LIST.iter().any(|name| other_attr.has_name(*name)) {
|
||||
if !other_attr.has_any_name(ALLOW_LIST) {
|
||||
self.dcx().emit_err(errors::NakedFunctionIncompatibleAttribute {
|
||||
span: other_attr.span(),
|
||||
naked_span: attr.span(),
|
||||
attr: other_attr.name_or_empty(),
|
||||
attr: other_attr.name().unwrap(),
|
||||
});
|
||||
|
||||
return;
|
||||
|
@ -1150,7 +1157,7 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
) {
|
||||
match target {
|
||||
Target::Use | Target::ExternCrate => {
|
||||
let do_inline = meta.name_or_empty() == sym::inline;
|
||||
let do_inline = meta.has_name(sym::inline);
|
||||
if let Some((prev_inline, prev_span)) = *specified_inline {
|
||||
if do_inline != prev_inline {
|
||||
let mut spans = MultiSpan::from_spans(vec![prev_span, meta.span()]);
|
||||
|
@ -1260,8 +1267,8 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
fn check_test_attr(&self, meta: &MetaItemInner, hir_id: HirId) {
|
||||
if let Some(metas) = meta.meta_item_list() {
|
||||
for i_meta in metas {
|
||||
match (i_meta.name_or_empty(), i_meta.meta_item()) {
|
||||
(sym::attr | sym::no_crate_inject, _) => {}
|
||||
match (i_meta.name(), i_meta.meta_item()) {
|
||||
(Some(sym::attr | sym::no_crate_inject), _) => {}
|
||||
(_, Some(m)) => {
|
||||
self.tcx.emit_node_span_lint(
|
||||
INVALID_DOC_ATTRIBUTES,
|
||||
|
@ -1322,61 +1329,63 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
if let Some(list) = attr.meta_item_list() {
|
||||
for meta in &list {
|
||||
if let Some(i_meta) = meta.meta_item() {
|
||||
match i_meta.name_or_empty() {
|
||||
sym::alias => {
|
||||
match i_meta.name() {
|
||||
Some(sym::alias) => {
|
||||
if self.check_attr_not_crate_level(meta, hir_id, "alias") {
|
||||
self.check_doc_alias(meta, hir_id, target, aliases);
|
||||
}
|
||||
}
|
||||
|
||||
sym::keyword => {
|
||||
Some(sym::keyword) => {
|
||||
if self.check_attr_not_crate_level(meta, hir_id, "keyword") {
|
||||
self.check_doc_keyword(meta, hir_id);
|
||||
}
|
||||
}
|
||||
|
||||
sym::fake_variadic => {
|
||||
Some(sym::fake_variadic) => {
|
||||
if self.check_attr_not_crate_level(meta, hir_id, "fake_variadic") {
|
||||
self.check_doc_fake_variadic(meta, hir_id);
|
||||
}
|
||||
}
|
||||
|
||||
sym::search_unbox => {
|
||||
Some(sym::search_unbox) => {
|
||||
if self.check_attr_not_crate_level(meta, hir_id, "fake_variadic") {
|
||||
self.check_doc_search_unbox(meta, hir_id);
|
||||
}
|
||||
}
|
||||
|
||||
sym::test => {
|
||||
Some(sym::test) => {
|
||||
if self.check_attr_crate_level(attr, meta, hir_id) {
|
||||
self.check_test_attr(meta, hir_id);
|
||||
}
|
||||
}
|
||||
|
||||
sym::html_favicon_url
|
||||
| sym::html_logo_url
|
||||
| sym::html_playground_url
|
||||
| sym::issue_tracker_base_url
|
||||
| sym::html_root_url
|
||||
| sym::html_no_source => {
|
||||
Some(
|
||||
sym::html_favicon_url
|
||||
| sym::html_logo_url
|
||||
| sym::html_playground_url
|
||||
| sym::issue_tracker_base_url
|
||||
| sym::html_root_url
|
||||
| sym::html_no_source,
|
||||
) => {
|
||||
self.check_attr_crate_level(attr, meta, hir_id);
|
||||
}
|
||||
|
||||
sym::cfg_hide => {
|
||||
Some(sym::cfg_hide) => {
|
||||
if self.check_attr_crate_level(attr, meta, hir_id) {
|
||||
self.check_doc_cfg_hide(meta, hir_id);
|
||||
}
|
||||
}
|
||||
|
||||
sym::inline | sym::no_inline => {
|
||||
Some(sym::inline | sym::no_inline) => {
|
||||
self.check_doc_inline(attr, meta, hir_id, target, specified_inline)
|
||||
}
|
||||
|
||||
sym::masked => self.check_doc_masked(attr, meta, hir_id, target),
|
||||
Some(sym::masked) => self.check_doc_masked(attr, meta, hir_id, target),
|
||||
|
||||
sym::cfg | sym::hidden | sym::notable_trait => {}
|
||||
Some(sym::cfg | sym::hidden | sym::notable_trait) => {}
|
||||
|
||||
sym::rust_logo => {
|
||||
Some(sym::rust_logo) => {
|
||||
if self.check_attr_crate_level(attr, meta, hir_id)
|
||||
&& !self.tcx.features().rustdoc_internals()
|
||||
{
|
||||
|
@ -2299,7 +2308,7 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
}
|
||||
|
||||
fn check_macro_use(&self, hir_id: HirId, attr: &Attribute, target: Target) {
|
||||
let name = attr.name_or_empty();
|
||||
let name = attr.name().unwrap();
|
||||
match target {
|
||||
Target::ExternCrate | Target::Mod => {}
|
||||
_ => {
|
||||
|
@ -2331,12 +2340,12 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
attr.span(),
|
||||
errors::MacroExport::TooManyItems,
|
||||
);
|
||||
} else if meta_item_list[0].name_or_empty() != sym::local_inner_macros {
|
||||
} else if !meta_item_list[0].has_name(sym::local_inner_macros) {
|
||||
self.tcx.emit_node_span_lint(
|
||||
INVALID_MACRO_EXPORT_ARGUMENTS,
|
||||
hir_id,
|
||||
meta_item_list[0].span(),
|
||||
errors::MacroExport::UnknownItem { name: meta_item_list[0].name_or_empty() },
|
||||
errors::MacroExport::InvalidArgument,
|
||||
);
|
||||
}
|
||||
} else {
|
||||
|
@ -2381,33 +2390,28 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
}
|
||||
|
||||
// Warn on useless empty attributes.
|
||||
let note = if (matches!(
|
||||
attr.name_or_empty(),
|
||||
sym::macro_use
|
||||
| sym::allow
|
||||
| sym::expect
|
||||
| sym::warn
|
||||
| sym::deny
|
||||
| sym::forbid
|
||||
| sym::feature
|
||||
| sym::target_feature
|
||||
) && attr.meta_item_list().is_some_and(|list| list.is_empty()))
|
||||
let note = if attr.has_any_name(&[
|
||||
sym::macro_use,
|
||||
sym::allow,
|
||||
sym::expect,
|
||||
sym::warn,
|
||||
sym::deny,
|
||||
sym::forbid,
|
||||
sym::feature,
|
||||
sym::target_feature,
|
||||
]) && attr.meta_item_list().is_some_and(|list| list.is_empty())
|
||||
{
|
||||
errors::UnusedNote::EmptyList { name: attr.name_or_empty() }
|
||||
} else if matches!(
|
||||
attr.name_or_empty(),
|
||||
sym::allow | sym::warn | sym::deny | sym::forbid | sym::expect
|
||||
) && let Some(meta) = attr.meta_item_list()
|
||||
errors::UnusedNote::EmptyList { name: attr.name().unwrap() }
|
||||
} else if attr.has_any_name(&[sym::allow, sym::warn, sym::deny, sym::forbid, sym::expect])
|
||||
&& let Some(meta) = attr.meta_item_list()
|
||||
&& let [meta] = meta.as_slice()
|
||||
&& let Some(item) = meta.meta_item()
|
||||
&& let MetaItemKind::NameValue(_) = &item.kind
|
||||
&& item.path == sym::reason
|
||||
{
|
||||
errors::UnusedNote::NoLints { name: attr.name_or_empty() }
|
||||
} else if matches!(
|
||||
attr.name_or_empty(),
|
||||
sym::allow | sym::warn | sym::deny | sym::forbid | sym::expect
|
||||
) && let Some(meta) = attr.meta_item_list()
|
||||
errors::UnusedNote::NoLints { name: attr.name().unwrap() }
|
||||
} else if attr.has_any_name(&[sym::allow, sym::warn, sym::deny, sym::forbid, sym::expect])
|
||||
&& let Some(meta) = attr.meta_item_list()
|
||||
&& meta.iter().any(|meta| {
|
||||
meta.meta_item().map_or(false, |item| item.path == sym::linker_messages)
|
||||
})
|
||||
|
@ -2440,7 +2444,7 @@ impl<'tcx> CheckAttrVisitor<'tcx> {
|
|||
return;
|
||||
}
|
||||
}
|
||||
} else if attr.name_or_empty() == sym::default_method_body_is_const {
|
||||
} else if attr.has_name(sym::default_method_body_is_const) {
|
||||
errors::UnusedNote::DefaultMethodBodyConst
|
||||
} else {
|
||||
return;
|
||||
|
@ -2897,10 +2901,11 @@ fn check_duplicates(
|
|||
if matches!(duplicates, WarnFollowingWordOnly) && !attr.is_word() {
|
||||
return;
|
||||
}
|
||||
let attr_name = attr.name().unwrap();
|
||||
match duplicates {
|
||||
DuplicatesOk => {}
|
||||
WarnFollowing | FutureWarnFollowing | WarnFollowingWordOnly | FutureWarnPreceding => {
|
||||
match seen.entry(attr.name_or_empty()) {
|
||||
match seen.entry(attr_name) {
|
||||
Entry::Occupied(mut entry) => {
|
||||
let (this, other) = if matches!(duplicates, FutureWarnPreceding) {
|
||||
let to_remove = entry.insert(attr.span());
|
||||
|
@ -2927,7 +2932,7 @@ fn check_duplicates(
|
|||
}
|
||||
}
|
||||
}
|
||||
ErrorFollowing | ErrorPreceding => match seen.entry(attr.name_or_empty()) {
|
||||
ErrorFollowing | ErrorPreceding => match seen.entry(attr_name) {
|
||||
Entry::Occupied(mut entry) => {
|
||||
let (this, other) = if matches!(duplicates, ErrorPreceding) {
|
||||
let to_remove = entry.insert(attr.span());
|
||||
|
@ -2935,11 +2940,7 @@ fn check_duplicates(
|
|||
} else {
|
||||
(attr.span(), *entry.get())
|
||||
};
|
||||
tcx.dcx().emit_err(errors::UnusedMultiple {
|
||||
this,
|
||||
other,
|
||||
name: attr.name_or_empty(),
|
||||
});
|
||||
tcx.dcx().emit_err(errors::UnusedMultiple { this, other, name: attr_name });
|
||||
}
|
||||
Entry::Vacant(entry) => {
|
||||
entry.insert(attr.span());
|
||||
|
|
|
@ -28,17 +28,17 @@ impl DebuggerVisualizerCollector<'_> {
|
|||
return;
|
||||
};
|
||||
|
||||
let (visualizer_type, visualizer_path) =
|
||||
match (meta_item.name_or_empty(), meta_item.value_str()) {
|
||||
(sym::natvis_file, Some(value)) => (DebuggerVisualizerType::Natvis, value),
|
||||
(sym::gdb_script_file, Some(value)) => {
|
||||
(DebuggerVisualizerType::GdbPrettyPrinter, value)
|
||||
}
|
||||
(_, _) => {
|
||||
self.sess.dcx().emit_err(DebugVisualizerInvalid { span: meta_item.span });
|
||||
return;
|
||||
}
|
||||
};
|
||||
let (visualizer_type, visualizer_path) = match (meta_item.name(), meta_item.value_str())
|
||||
{
|
||||
(Some(sym::natvis_file), Some(value)) => (DebuggerVisualizerType::Natvis, value),
|
||||
(Some(sym::gdb_script_file), Some(value)) => {
|
||||
(DebuggerVisualizerType::GdbPrettyPrinter, value)
|
||||
}
|
||||
(_, _) => {
|
||||
self.sess.dcx().emit_err(DebugVisualizerInvalid { span: meta_item.span });
|
||||
return;
|
||||
}
|
||||
};
|
||||
|
||||
let file = match resolve_path(&self.sess, visualizer_path.as_str(), attr.span) {
|
||||
Ok(file) => file,
|
||||
|
|
|
@ -756,7 +756,7 @@ pub(crate) enum MacroExport {
|
|||
OnDeclMacro,
|
||||
|
||||
#[diag(passes_invalid_macro_export_arguments)]
|
||||
UnknownItem { name: Symbol },
|
||||
InvalidArgument,
|
||||
|
||||
#[diag(passes_invalid_macro_export_arguments_too_many_items)]
|
||||
TooManyItems,
|
||||
|
@ -1045,11 +1045,10 @@ pub(crate) struct AbiInvalidAttribute {
|
|||
}
|
||||
|
||||
#[derive(Diagnostic)]
|
||||
#[diag(passes_unrecognized_field)]
|
||||
pub(crate) struct UnrecognizedField {
|
||||
#[diag(passes_unrecognized_argument)]
|
||||
pub(crate) struct UnrecognizedArgument {
|
||||
#[primary_span]
|
||||
pub span: Span,
|
||||
pub name: Symbol,
|
||||
}
|
||||
|
||||
#[derive(Diagnostic)]
|
||||
|
@ -1433,7 +1432,7 @@ pub(crate) struct UselessAssignment<'a> {
|
|||
#[derive(LintDiagnostic)]
|
||||
#[diag(passes_only_has_effect_on)]
|
||||
pub(crate) struct OnlyHasEffectOn {
|
||||
pub attr_name: Symbol,
|
||||
pub attr_name: String,
|
||||
pub target_name: String,
|
||||
}
|
||||
|
||||
|
|
|
@ -13,7 +13,7 @@ use rustc_trait_selection::traits;
|
|||
|
||||
use crate::errors::{
|
||||
LayoutAbi, LayoutAlign, LayoutHomogeneousAggregate, LayoutInvalidAttribute, LayoutOf,
|
||||
LayoutSize, UnrecognizedField,
|
||||
LayoutSize, UnrecognizedArgument,
|
||||
};
|
||||
|
||||
pub fn test_layout(tcx: TyCtxt<'_>) {
|
||||
|
@ -79,28 +79,28 @@ fn dump_layout_of(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribute) {
|
|||
// The `..` are the names of fields to dump.
|
||||
let meta_items = attr.meta_item_list().unwrap_or_default();
|
||||
for meta_item in meta_items {
|
||||
match meta_item.name_or_empty() {
|
||||
match meta_item.name() {
|
||||
// FIXME: this never was about ABI and now this dump arg is confusing
|
||||
sym::abi => {
|
||||
Some(sym::abi) => {
|
||||
tcx.dcx().emit_err(LayoutAbi {
|
||||
span,
|
||||
abi: format!("{:?}", ty_layout.backend_repr),
|
||||
});
|
||||
}
|
||||
|
||||
sym::align => {
|
||||
Some(sym::align) => {
|
||||
tcx.dcx().emit_err(LayoutAlign {
|
||||
span,
|
||||
align: format!("{:?}", ty_layout.align),
|
||||
});
|
||||
}
|
||||
|
||||
sym::size => {
|
||||
Some(sym::size) => {
|
||||
tcx.dcx()
|
||||
.emit_err(LayoutSize { span, size: format!("{:?}", ty_layout.size) });
|
||||
}
|
||||
|
||||
sym::homogeneous_aggregate => {
|
||||
Some(sym::homogeneous_aggregate) => {
|
||||
tcx.dcx().emit_err(LayoutHomogeneousAggregate {
|
||||
span,
|
||||
homogeneous_aggregate: format!(
|
||||
|
@ -111,15 +111,15 @@ fn dump_layout_of(tcx: TyCtxt<'_>, item_def_id: LocalDefId, attr: &Attribute) {
|
|||
});
|
||||
}
|
||||
|
||||
sym::debug => {
|
||||
Some(sym::debug) => {
|
||||
let normalized_ty = tcx.normalize_erasing_regions(typing_env, ty);
|
||||
// FIXME: using the `Debug` impl here isn't ideal.
|
||||
let ty_layout = format!("{:#?}", *ty_layout);
|
||||
tcx.dcx().emit_err(LayoutOf { span, normalized_ty, ty_layout });
|
||||
}
|
||||
|
||||
name => {
|
||||
tcx.dcx().emit_err(UnrecognizedField { span: meta_item.span(), name });
|
||||
_ => {
|
||||
tcx.dcx().emit_err(UnrecognizedArgument { span: meta_item.span() });
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
@ -1186,6 +1186,7 @@ symbols! {
|
|||
instruction_set,
|
||||
integer_: "integer", // underscore to avoid clashing with the function `sym::integer` below
|
||||
integral,
|
||||
internal_features,
|
||||
into_async_iter_into_iter,
|
||||
into_future,
|
||||
into_iter,
|
||||
|
|
|
@ -213,6 +213,11 @@ impl<T> Channel<T> {
|
|||
.compare_exchange(block, new, Ordering::Release, Ordering::Relaxed)
|
||||
.is_ok()
|
||||
{
|
||||
// This yield point leaves the channel in a half-initialized state where the
|
||||
// tail.block pointer is set but the head.block is not. This is used to
|
||||
// facilitate the test in src/tools/miri/tests/pass/issues/issue-139553.rs
|
||||
#[cfg(miri)]
|
||||
crate::thread::yield_now();
|
||||
self.head.block.store(new, Ordering::Release);
|
||||
block = new;
|
||||
} else {
|
||||
|
@ -564,9 +569,15 @@ impl<T> Channel<T> {
|
|||
// In that case, just wait until it gets initialized.
|
||||
while block.is_null() {
|
||||
backoff.spin_heavy();
|
||||
block = self.head.block.load(Ordering::Acquire);
|
||||
block = self.head.block.swap(ptr::null_mut(), Ordering::AcqRel);
|
||||
}
|
||||
}
|
||||
// After this point `head.block` is not modified again and it will be deallocated if it's
|
||||
// non-null. The `Drop` code of the channel, which runs after this function, also attempts
|
||||
// to deallocate `head.block` if it's non-null. Therefore this function must maintain the
|
||||
// invariant that if a deallocation of head.block is attemped then it must also be set to
|
||||
// NULL. Failing to do so will lead to the Drop code attempting a double free. For this
|
||||
// reason both reads above do an atomic swap instead of a simple atomic load.
|
||||
|
||||
unsafe {
|
||||
// Drop all messages between head and tail and deallocate the heap-allocated blocks.
|
||||
|
|
|
@ -155,7 +155,7 @@ impl Step for Std {
|
|||
|
||||
// When using `download-rustc`, we already have artifacts for the host available. Don't
|
||||
// recompile them.
|
||||
if builder.download_rustc() && builder.is_builder_target(target)
|
||||
if builder.download_rustc() && builder.config.is_host_target(target)
|
||||
// NOTE: the beta compiler may generate different artifacts than the downloaded compiler, so
|
||||
// its artifacts can't be reused.
|
||||
&& compiler.stage != 0
|
||||
|
@ -229,7 +229,7 @@ impl Step for Std {
|
|||
// The LLD wrappers and `rust-lld` are self-contained linking components that can be
|
||||
// necessary to link the stdlib on some targets. We'll also need to copy these binaries to
|
||||
// the `stage0-sysroot` to ensure the linker is found when bootstrapping on such a target.
|
||||
if compiler.stage == 0 && builder.is_builder_target(compiler.host) {
|
||||
if compiler.stage == 0 && builder.config.is_host_target(compiler.host) {
|
||||
trace!(
|
||||
"(build == host) copying linking components to `stage0-sysroot` for bootstrapping"
|
||||
);
|
||||
|
@ -1374,7 +1374,7 @@ pub fn rustc_cargo_env(
|
|||
/// Pass down configuration from the LLVM build into the build of
|
||||
/// rustc_llvm and rustc_codegen_llvm.
|
||||
fn rustc_llvm_env(builder: &Builder<'_>, cargo: &mut Cargo, target: TargetSelection) {
|
||||
if builder.is_rust_llvm(target) {
|
||||
if builder.config.is_rust_llvm(target) {
|
||||
cargo.env("LLVM_RUSTLLVM", "1");
|
||||
}
|
||||
if builder.config.llvm_enzyme {
|
||||
|
@ -2182,7 +2182,7 @@ impl Step for Assemble {
|
|||
debug!("copying codegen backends to sysroot");
|
||||
copy_codegen_backends_to_sysroot(builder, build_compiler, target_compiler);
|
||||
|
||||
if builder.config.lld_enabled {
|
||||
if builder.config.lld_enabled && !builder.config.is_system_llvm(target_compiler.host) {
|
||||
builder.ensure(crate::core::build_steps::tool::LldWrapper {
|
||||
build_compiler,
|
||||
target_compiler,
|
||||
|
@ -2532,7 +2532,9 @@ pub fn strip_debug(builder: &Builder<'_>, target: TargetSelection, path: &Path)
|
|||
// FIXME: to make things simpler for now, limit this to the host and target where we know
|
||||
// `strip -g` is both available and will fix the issue, i.e. on a x64 linux host that is not
|
||||
// cross-compiling. Expand this to other appropriate targets in the future.
|
||||
if target != "x86_64-unknown-linux-gnu" || !builder.is_builder_target(target) || !path.exists()
|
||||
if target != "x86_64-unknown-linux-gnu"
|
||||
|| !builder.config.is_host_target(target)
|
||||
|| !path.exists()
|
||||
{
|
||||
return;
|
||||
}
|
||||
|
|
|
@ -612,7 +612,7 @@ impl Step for DebuggerScripts {
|
|||
fn skip_host_target_lib(builder: &Builder<'_>, compiler: Compiler) -> bool {
|
||||
// The only true set of target libraries came from the build triple, so
|
||||
// let's reduce redundant work by only producing archives from that host.
|
||||
if !builder.is_builder_target(compiler.host) {
|
||||
if !builder.config.is_host_target(compiler.host) {
|
||||
builder.info("\tskipping, not a build host");
|
||||
true
|
||||
} else {
|
||||
|
@ -671,7 +671,8 @@ fn copy_target_libs(
|
|||
&self_contained_dst.join(path.file_name().unwrap()),
|
||||
FileType::NativeLibrary,
|
||||
);
|
||||
} else if dependency_type == DependencyType::Target || builder.is_builder_target(target) {
|
||||
} else if dependency_type == DependencyType::Target || builder.config.is_host_target(target)
|
||||
{
|
||||
builder.copy_link(&path, &dst.join(path.file_name().unwrap()), FileType::NativeLibrary);
|
||||
}
|
||||
}
|
||||
|
@ -824,7 +825,7 @@ impl Step for Analysis {
|
|||
fn run(self, builder: &Builder<'_>) -> Option<GeneratedTarball> {
|
||||
let compiler = self.compiler;
|
||||
let target = self.target;
|
||||
if !builder.is_builder_target(compiler.host) {
|
||||
if !builder.config.is_host_target(compiler.host) {
|
||||
return None;
|
||||
}
|
||||
|
||||
|
@ -2118,7 +2119,7 @@ fn maybe_install_llvm(
|
|||
//
|
||||
// If the LLVM is coming from ourselves (just from CI) though, we
|
||||
// still want to install it, as it otherwise won't be available.
|
||||
if builder.is_system_llvm(target) {
|
||||
if builder.config.is_system_llvm(target) {
|
||||
trace!("system LLVM requested, no install");
|
||||
return false;
|
||||
}
|
||||
|
|
|
@ -485,7 +485,7 @@ impl Step for Llvm {
|
|||
}
|
||||
|
||||
// https://llvm.org/docs/HowToCrossCompileLLVM.html
|
||||
if !builder.is_builder_target(target) {
|
||||
if !builder.config.is_host_target(target) {
|
||||
let LlvmResult { llvm_config, .. } =
|
||||
builder.ensure(Llvm { target: builder.config.build });
|
||||
if !builder.config.dry_run() {
|
||||
|
@ -637,7 +637,7 @@ fn configure_cmake(
|
|||
}
|
||||
cfg.target(&target.triple).host(&builder.config.build.triple);
|
||||
|
||||
if !builder.is_builder_target(target) {
|
||||
if !builder.config.is_host_target(target) {
|
||||
cfg.define("CMAKE_CROSSCOMPILING", "True");
|
||||
|
||||
// NOTE: Ideally, we wouldn't have to do this, and `cmake-rs` would just handle it for us.
|
||||
|
@ -1098,7 +1098,7 @@ impl Step for Lld {
|
|||
.define("LLVM_CMAKE_DIR", llvm_cmake_dir)
|
||||
.define("LLVM_INCLUDE_TESTS", "OFF");
|
||||
|
||||
if !builder.is_builder_target(target) {
|
||||
if !builder.config.is_host_target(target) {
|
||||
// Use the host llvm-tblgen binary.
|
||||
cfg.define(
|
||||
"LLVM_TABLEGEN_EXE",
|
||||
|
|
|
@ -1894,7 +1894,7 @@ NOTE: if you're sure you want to do this, please open an issue as to why. In the
|
|||
.arg(llvm_components.trim());
|
||||
llvm_components_passed = true;
|
||||
}
|
||||
if !builder.is_rust_llvm(target) {
|
||||
if !builder.config.is_rust_llvm(target) {
|
||||
cmd.arg("--system-llvm");
|
||||
}
|
||||
|
||||
|
@ -2668,7 +2668,7 @@ impl Step for Crate {
|
|||
cargo
|
||||
} else {
|
||||
// Also prepare a sysroot for the target.
|
||||
if !builder.is_builder_target(target) {
|
||||
if !builder.config.is_host_target(target) {
|
||||
builder.ensure(compile::Std::new(compiler, target).force_recompile(true));
|
||||
builder.ensure(RemoteCopyLibs { compiler, target });
|
||||
}
|
||||
|
|
|
@ -1107,8 +1107,8 @@ fn test_is_builder_target() {
|
|||
let build = Build::new(config);
|
||||
let builder = Builder::new(&build);
|
||||
|
||||
assert!(builder.is_builder_target(target1));
|
||||
assert!(!builder.is_builder_target(target2));
|
||||
assert!(builder.config.is_host_target(target1));
|
||||
assert!(!builder.config.is_host_target(target2));
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
@ -2397,6 +2397,12 @@ impl Config {
|
|||
);
|
||||
}
|
||||
|
||||
if config.lld_enabled && config.is_system_llvm(config.build) {
|
||||
eprintln!(
|
||||
"Warning: LLD is enabled when using external llvm-config. LLD will not be built and copied to the sysroot."
|
||||
);
|
||||
}
|
||||
|
||||
let default_std_features = BTreeSet::from([String::from("panic-unwind")]);
|
||||
config.rust_std_features = std_features.unwrap_or(default_std_features);
|
||||
|
||||
|
@ -3240,6 +3246,42 @@ impl Config {
|
|||
|
||||
Some(commit.to_string())
|
||||
}
|
||||
|
||||
/// Checks if the given target is the same as the host target.
|
||||
pub fn is_host_target(&self, target: TargetSelection) -> bool {
|
||||
self.build == target
|
||||
}
|
||||
|
||||
/// Returns `true` if this is an external version of LLVM not managed by bootstrap.
|
||||
/// In particular, we expect llvm sources to be available when this is false.
|
||||
///
|
||||
/// NOTE: this is not the same as `!is_rust_llvm` when `llvm_has_patches` is set.
|
||||
pub fn is_system_llvm(&self, target: TargetSelection) -> bool {
|
||||
match self.target_config.get(&target) {
|
||||
Some(Target { llvm_config: Some(_), .. }) => {
|
||||
let ci_llvm = self.llvm_from_ci && self.is_host_target(target);
|
||||
!ci_llvm
|
||||
}
|
||||
// We're building from the in-tree src/llvm-project sources.
|
||||
Some(Target { llvm_config: None, .. }) => false,
|
||||
None => false,
|
||||
}
|
||||
}
|
||||
|
||||
/// Returns `true` if this is our custom, patched, version of LLVM.
|
||||
///
|
||||
/// This does not necessarily imply that we're managing the `llvm-project` submodule.
|
||||
pub fn is_rust_llvm(&self, target: TargetSelection) -> bool {
|
||||
match self.target_config.get(&target) {
|
||||
// We're using a user-controlled version of LLVM. The user has explicitly told us whether the version has our patches.
|
||||
// (They might be wrong, but that's not a supported use-case.)
|
||||
// In particular, this tries to support `submodules = false` and `patches = false`, for using a newer version of LLVM that's not through `rust-lang/llvm-project`.
|
||||
Some(Target { llvm_has_rust_patches: Some(patched), .. }) => *patched,
|
||||
// The user hasn't promised the patches match.
|
||||
// This only has our patches if it's downloaded from CI or built from source.
|
||||
_ => !self.is_system_llvm(target),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Compares the current `Llvm` options against those in the CI LLVM builder and detects any incompatible options.
|
||||
|
|
|
@ -326,7 +326,7 @@ than building it.
|
|||
if target.contains("musl") && !target.contains("unikraft") {
|
||||
// If this is a native target (host is also musl) and no musl-root is given,
|
||||
// fall back to the system toolchain in /usr before giving up
|
||||
if build.musl_root(*target).is_none() && build.is_builder_target(*target) {
|
||||
if build.musl_root(*target).is_none() && build.config.is_host_target(*target) {
|
||||
let target = build.config.target_config.entry(*target).or_default();
|
||||
target.musl_root = Some("/usr".into());
|
||||
}
|
||||
|
|
|
@ -35,7 +35,7 @@ use utils::channel::GitInfo;
|
|||
|
||||
use crate::core::builder;
|
||||
use crate::core::builder::Kind;
|
||||
use crate::core::config::{DryRun, LldMode, LlvmLibunwind, Target, TargetSelection, flags};
|
||||
use crate::core::config::{DryRun, LldMode, LlvmLibunwind, TargetSelection, flags};
|
||||
use crate::utils::exec::{BehaviorOnFailure, BootstrapCommand, CommandOutput, OutputMode, command};
|
||||
use crate::utils::helpers::{
|
||||
self, dir_is_empty, exe, libdir, output, set_file_times, split_debuginfo, symlink_dir,
|
||||
|
@ -803,7 +803,7 @@ impl Build {
|
|||
/// Note that if LLVM is configured externally then the directory returned
|
||||
/// will likely be empty.
|
||||
fn llvm_out(&self, target: TargetSelection) -> PathBuf {
|
||||
if self.config.llvm_from_ci && self.is_builder_target(target) {
|
||||
if self.config.llvm_from_ci && self.config.is_host_target(target) {
|
||||
self.config.ci_llvm_root()
|
||||
} else {
|
||||
self.out.join(target).join("llvm")
|
||||
|
@ -851,37 +851,6 @@ impl Build {
|
|||
if self.config.vendor { Some(self.src.join(VENDOR_DIR)) } else { None }
|
||||
}
|
||||
|
||||
/// Returns `true` if this is an external version of LLVM not managed by bootstrap.
|
||||
/// In particular, we expect llvm sources to be available when this is false.
|
||||
///
|
||||
/// NOTE: this is not the same as `!is_rust_llvm` when `llvm_has_patches` is set.
|
||||
fn is_system_llvm(&self, target: TargetSelection) -> bool {
|
||||
match self.config.target_config.get(&target) {
|
||||
Some(Target { llvm_config: Some(_), .. }) => {
|
||||
let ci_llvm = self.config.llvm_from_ci && self.is_builder_target(target);
|
||||
!ci_llvm
|
||||
}
|
||||
// We're building from the in-tree src/llvm-project sources.
|
||||
Some(Target { llvm_config: None, .. }) => false,
|
||||
None => false,
|
||||
}
|
||||
}
|
||||
|
||||
/// Returns `true` if this is our custom, patched, version of LLVM.
|
||||
///
|
||||
/// This does not necessarily imply that we're managing the `llvm-project` submodule.
|
||||
fn is_rust_llvm(&self, target: TargetSelection) -> bool {
|
||||
match self.config.target_config.get(&target) {
|
||||
// We're using a user-controlled version of LLVM. The user has explicitly told us whether the version has our patches.
|
||||
// (They might be wrong, but that's not a supported use-case.)
|
||||
// In particular, this tries to support `submodules = false` and `patches = false`, for using a newer version of LLVM that's not through `rust-lang/llvm-project`.
|
||||
Some(Target { llvm_has_rust_patches: Some(patched), .. }) => *patched,
|
||||
// The user hasn't promised the patches match.
|
||||
// This only has our patches if it's downloaded from CI or built from source.
|
||||
_ => !self.is_system_llvm(target),
|
||||
}
|
||||
}
|
||||
|
||||
/// Returns the path to `FileCheck` binary for the specified target
|
||||
fn llvm_filecheck(&self, target: TargetSelection) -> PathBuf {
|
||||
let target_config = self.config.target_config.get(&target);
|
||||
|
@ -1356,7 +1325,7 @@ Executed at: {executed_at}"#,
|
|||
// need to use CXX compiler as linker to resolve the exception functions
|
||||
// that are only existed in CXX libraries
|
||||
Some(self.cxx.borrow()[&target].path().into())
|
||||
} else if !self.is_builder_target(target)
|
||||
} else if !self.config.is_host_target(target)
|
||||
&& helpers::use_host_linker(target)
|
||||
&& !target.is_msvc()
|
||||
{
|
||||
|
@ -2025,11 +1994,6 @@ to download LLVM rather than building it.
|
|||
stream.reset().unwrap();
|
||||
result
|
||||
}
|
||||
|
||||
/// Checks if the given target is the same as the builder target.
|
||||
fn is_builder_target(&self, target: TargetSelection) -> bool {
|
||||
self.config.build == target
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(unix)]
|
||||
|
|
|
@ -6,6 +6,8 @@ The tracking issue for this feature is: [#29641]
|
|||
|
||||
------------------------
|
||||
|
||||
> **Note**: This feature will be superseded by [`deref_patterns`] in the future.
|
||||
|
||||
Box patterns let you match on `Box<T>`s:
|
||||
|
||||
|
||||
|
@ -28,3 +30,5 @@ fn main() {
|
|||
}
|
||||
}
|
||||
```
|
||||
|
||||
[`deref_patterns`]: ./deref-patterns.md
|
||||
|
|
|
@ -0,0 +1,57 @@
|
|||
# `deref_patterns`
|
||||
|
||||
The tracking issue for this feature is: [#87121]
|
||||
|
||||
[#87121]: https://github.com/rust-lang/rust/issues/87121
|
||||
|
||||
------------------------
|
||||
|
||||
> **Note**: This feature is incomplete. In the future, it is meant to supersede
|
||||
> [`box_patterns`](./box-patterns.md) and [`string_deref_patterns`](./string-deref-patterns.md).
|
||||
|
||||
This feature permits pattern matching on [smart pointers in the standard library] through their
|
||||
`Deref` target types, either implicitly or with explicit `deref!(_)` patterns (the syntax of which
|
||||
is currently a placeholder).
|
||||
|
||||
```rust
|
||||
#![feature(deref_patterns)]
|
||||
#![allow(incomplete_features)]
|
||||
|
||||
let mut v = vec![Box::new(Some(0))];
|
||||
|
||||
// Implicit dereferences are inserted when a pattern can match against the
|
||||
// result of repeatedly dereferencing but can't match against a smart
|
||||
// pointer itself. This works alongside match ergonomics for references.
|
||||
if let [Some(x)] = &mut v {
|
||||
*x += 1;
|
||||
}
|
||||
|
||||
// Explicit `deref!(_)` patterns may instead be used when finer control is
|
||||
// needed, e.g. to dereference only a single smart pointer, or to bind the
|
||||
// the result of dereferencing to a variable.
|
||||
if let deref!([deref!(opt_x @ Some(1))]) = &mut v {
|
||||
opt_x.as_mut().map(|x| *x += 1);
|
||||
}
|
||||
|
||||
assert_eq!(v, [Box::new(Some(2))]);
|
||||
```
|
||||
|
||||
Without this feature, it may be necessary to introduce temporaries to represent dereferenced places
|
||||
when matching on nested structures:
|
||||
|
||||
```rust
|
||||
let mut v = vec![Box::new(Some(0))];
|
||||
if let [b] = &mut *v {
|
||||
if let Some(x) = &mut **b {
|
||||
*x += 1;
|
||||
}
|
||||
}
|
||||
if let [b] = &mut *v {
|
||||
if let opt_x @ Some(1) = &mut **b {
|
||||
opt_x.as_mut().map(|x| *x += 1);
|
||||
}
|
||||
}
|
||||
assert_eq!(v, [Box::new(Some(2))]);
|
||||
```
|
||||
|
||||
[smart pointers in the standard library]: https://doc.rust-lang.org/std/ops/trait.DerefPure.html#implementors
|
|
@ -6,6 +6,8 @@ The tracking issue for this feature is: [#87121]
|
|||
|
||||
------------------------
|
||||
|
||||
> **Note**: This feature will be superseded by [`deref_patterns`] in the future.
|
||||
|
||||
This feature permits pattern matching `String` to `&str` through [its `Deref` implementation].
|
||||
|
||||
```rust
|
||||
|
@ -42,4 +44,5 @@ pub fn is_it_the_answer(value: Value) -> bool {
|
|||
}
|
||||
```
|
||||
|
||||
[`deref_patterns`]: ./deref-patterns.md
|
||||
[its `Deref` implementation]: https://doc.rust-lang.org/std/string/struct.String.html#impl-Deref-for-String
|
||||
|
|
|
@ -1052,7 +1052,7 @@ fn clean_fn_or_proc_macro<'tcx>(
|
|||
match macro_kind {
|
||||
Some(kind) => clean_proc_macro(item, name, kind, cx),
|
||||
None => {
|
||||
let mut func = clean_function(cx, sig, generics, FunctionArgs::Body(body_id));
|
||||
let mut func = clean_function(cx, sig, generics, ParamsSrc::Body(body_id));
|
||||
clean_fn_decl_legacy_const_generics(&mut func, attrs);
|
||||
FunctionItem(func)
|
||||
}
|
||||
|
@ -1071,16 +1071,11 @@ fn clean_fn_decl_legacy_const_generics(func: &mut Function, attrs: &[hir::Attrib
|
|||
for (pos, literal) in meta_item_list.iter().filter_map(|meta| meta.lit()).enumerate() {
|
||||
match literal.kind {
|
||||
ast::LitKind::Int(a, _) => {
|
||||
let param = func.generics.params.remove(0);
|
||||
if let GenericParamDef {
|
||||
name,
|
||||
kind: GenericParamDefKind::Const { ty, .. },
|
||||
..
|
||||
} = param
|
||||
{
|
||||
func.decl.inputs.values.insert(
|
||||
let GenericParamDef { name, kind, .. } = func.generics.params.remove(0);
|
||||
if let GenericParamDefKind::Const { ty, .. } = kind {
|
||||
func.decl.inputs.insert(
|
||||
a.get() as _,
|
||||
Argument { name: Some(name), type_: *ty, is_const: true },
|
||||
Parameter { name: Some(name), type_: *ty, is_const: true },
|
||||
);
|
||||
} else {
|
||||
panic!("unexpected non const in position {pos}");
|
||||
|
@ -1092,7 +1087,7 @@ fn clean_fn_decl_legacy_const_generics(func: &mut Function, attrs: &[hir::Attrib
|
|||
}
|
||||
}
|
||||
|
||||
enum FunctionArgs<'tcx> {
|
||||
enum ParamsSrc<'tcx> {
|
||||
Body(hir::BodyId),
|
||||
Idents(&'tcx [Option<Ident>]),
|
||||
}
|
||||
|
@ -1101,86 +1096,62 @@ fn clean_function<'tcx>(
|
|||
cx: &mut DocContext<'tcx>,
|
||||
sig: &hir::FnSig<'tcx>,
|
||||
generics: &hir::Generics<'tcx>,
|
||||
args: FunctionArgs<'tcx>,
|
||||
params: ParamsSrc<'tcx>,
|
||||
) -> Box<Function> {
|
||||
let (generics, decl) = enter_impl_trait(cx, |cx| {
|
||||
// NOTE: generics must be cleaned before args
|
||||
// NOTE: Generics must be cleaned before params.
|
||||
let generics = clean_generics(generics, cx);
|
||||
let args = match args {
|
||||
FunctionArgs::Body(body_id) => {
|
||||
clean_args_from_types_and_body_id(cx, sig.decl.inputs, body_id)
|
||||
}
|
||||
FunctionArgs::Idents(idents) => {
|
||||
clean_args_from_types_and_names(cx, sig.decl.inputs, idents)
|
||||
}
|
||||
let params = match params {
|
||||
ParamsSrc::Body(body_id) => clean_params_via_body(cx, sig.decl.inputs, body_id),
|
||||
// Let's not perpetuate anon params from Rust 2015; use `_` for them.
|
||||
ParamsSrc::Idents(idents) => clean_params(cx, sig.decl.inputs, idents, |ident| {
|
||||
Some(ident.map_or(kw::Underscore, |ident| ident.name))
|
||||
}),
|
||||
};
|
||||
let decl = clean_fn_decl_with_args(cx, sig.decl, Some(&sig.header), args);
|
||||
let decl = clean_fn_decl_with_params(cx, sig.decl, Some(&sig.header), params);
|
||||
(generics, decl)
|
||||
});
|
||||
Box::new(Function { decl, generics })
|
||||
}
|
||||
|
||||
fn clean_args_from_types_and_names<'tcx>(
|
||||
fn clean_params<'tcx>(
|
||||
cx: &mut DocContext<'tcx>,
|
||||
types: &[hir::Ty<'tcx>],
|
||||
idents: &[Option<Ident>],
|
||||
) -> Arguments {
|
||||
fn nonempty_name(ident: &Option<Ident>) -> Option<Symbol> {
|
||||
if let Some(ident) = ident
|
||||
&& ident.name != kw::Underscore
|
||||
{
|
||||
Some(ident.name)
|
||||
} else {
|
||||
None
|
||||
}
|
||||
}
|
||||
|
||||
// If at least one argument has a name, use `_` as the name of unnamed
|
||||
// arguments. Otherwise omit argument names.
|
||||
let default_name = if idents.iter().any(|ident| nonempty_name(ident).is_some()) {
|
||||
Some(kw::Underscore)
|
||||
} else {
|
||||
None
|
||||
};
|
||||
|
||||
Arguments {
|
||||
values: types
|
||||
.iter()
|
||||
.enumerate()
|
||||
.map(|(i, ty)| Argument {
|
||||
type_: clean_ty(ty, cx),
|
||||
name: idents.get(i).and_then(nonempty_name).or(default_name),
|
||||
is_const: false,
|
||||
})
|
||||
.collect(),
|
||||
}
|
||||
postprocess: impl Fn(Option<Ident>) -> Option<Symbol>,
|
||||
) -> Vec<Parameter> {
|
||||
types
|
||||
.iter()
|
||||
.enumerate()
|
||||
.map(|(i, ty)| Parameter {
|
||||
name: postprocess(idents[i]),
|
||||
type_: clean_ty(ty, cx),
|
||||
is_const: false,
|
||||
})
|
||||
.collect()
|
||||
}
|
||||
|
||||
fn clean_args_from_types_and_body_id<'tcx>(
|
||||
fn clean_params_via_body<'tcx>(
|
||||
cx: &mut DocContext<'tcx>,
|
||||
types: &[hir::Ty<'tcx>],
|
||||
body_id: hir::BodyId,
|
||||
) -> Arguments {
|
||||
let body = cx.tcx.hir_body(body_id);
|
||||
|
||||
Arguments {
|
||||
values: types
|
||||
.iter()
|
||||
.zip(body.params)
|
||||
.map(|(ty, param)| Argument {
|
||||
name: Some(name_from_pat(param.pat)),
|
||||
type_: clean_ty(ty, cx),
|
||||
is_const: false,
|
||||
})
|
||||
.collect(),
|
||||
}
|
||||
) -> Vec<Parameter> {
|
||||
types
|
||||
.iter()
|
||||
.zip(cx.tcx.hir_body(body_id).params)
|
||||
.map(|(ty, param)| Parameter {
|
||||
name: Some(name_from_pat(param.pat)),
|
||||
type_: clean_ty(ty, cx),
|
||||
is_const: false,
|
||||
})
|
||||
.collect()
|
||||
}
|
||||
|
||||
fn clean_fn_decl_with_args<'tcx>(
|
||||
fn clean_fn_decl_with_params<'tcx>(
|
||||
cx: &mut DocContext<'tcx>,
|
||||
decl: &hir::FnDecl<'tcx>,
|
||||
header: Option<&hir::FnHeader>,
|
||||
args: Arguments,
|
||||
params: Vec<Parameter>,
|
||||
) -> FnDecl {
|
||||
let mut output = match decl.output {
|
||||
hir::FnRetTy::Return(typ) => clean_ty(typ, cx),
|
||||
|
@ -1191,7 +1162,7 @@ fn clean_fn_decl_with_args<'tcx>(
|
|||
{
|
||||
output = output.sugared_async_return_type();
|
||||
}
|
||||
FnDecl { inputs: args, output, c_variadic: decl.c_variadic }
|
||||
FnDecl { inputs: params, output, c_variadic: decl.c_variadic }
|
||||
}
|
||||
|
||||
fn clean_poly_fn_sig<'tcx>(
|
||||
|
@ -1199,10 +1170,6 @@ fn clean_poly_fn_sig<'tcx>(
|
|||
did: Option<DefId>,
|
||||
sig: ty::PolyFnSig<'tcx>,
|
||||
) -> FnDecl {
|
||||
let mut names = did.map_or(&[] as &[_], |did| cx.tcx.fn_arg_idents(did)).iter();
|
||||
|
||||
// We assume all empty tuples are default return type. This theoretically can discard `-> ()`,
|
||||
// but shouldn't change any code meaning.
|
||||
let mut output = clean_middle_ty(sig.output(), cx, None, None);
|
||||
|
||||
// If the return type isn't an `impl Trait`, we can safely assume that this
|
||||
|
@ -1215,25 +1182,25 @@ fn clean_poly_fn_sig<'tcx>(
|
|||
output = output.sugared_async_return_type();
|
||||
}
|
||||
|
||||
FnDecl {
|
||||
output,
|
||||
c_variadic: sig.skip_binder().c_variadic,
|
||||
inputs: Arguments {
|
||||
values: sig
|
||||
.inputs()
|
||||
.iter()
|
||||
.map(|t| Argument {
|
||||
type_: clean_middle_ty(t.map_bound(|t| *t), cx, None, None),
|
||||
name: Some(if let Some(Some(ident)) = names.next() {
|
||||
ident.name
|
||||
} else {
|
||||
kw::Underscore
|
||||
}),
|
||||
is_const: false,
|
||||
})
|
||||
.collect(),
|
||||
},
|
||||
}
|
||||
let mut idents = did.map(|did| cx.tcx.fn_arg_idents(did)).unwrap_or_default().iter().copied();
|
||||
|
||||
// If this comes from a fn item, let's not perpetuate anon params from Rust 2015; use `_` for them.
|
||||
// If this comes from a fn ptr ty, we just keep params unnamed since it's more conventional stylistically.
|
||||
// Since the param name is not part of the semantic type, these params never bear a name unlike
|
||||
// in the HIR case, thus we can't peform any fancy fallback logic unlike `clean_bare_fn_ty`.
|
||||
let fallback = did.map(|_| kw::Underscore);
|
||||
|
||||
let params = sig
|
||||
.inputs()
|
||||
.iter()
|
||||
.map(|ty| Parameter {
|
||||
name: idents.next().flatten().map(|ident| ident.name).or(fallback),
|
||||
type_: clean_middle_ty(ty.map_bound(|ty| *ty), cx, None, None),
|
||||
is_const: false,
|
||||
})
|
||||
.collect();
|
||||
|
||||
FnDecl { inputs: params, output, c_variadic: sig.skip_binder().c_variadic }
|
||||
}
|
||||
|
||||
fn clean_trait_ref<'tcx>(trait_ref: &hir::TraitRef<'tcx>, cx: &mut DocContext<'tcx>) -> Path {
|
||||
|
@ -1273,11 +1240,11 @@ fn clean_trait_item<'tcx>(trait_item: &hir::TraitItem<'tcx>, cx: &mut DocContext
|
|||
RequiredAssocConstItem(generics, Box::new(clean_ty(ty, cx)))
|
||||
}
|
||||
hir::TraitItemKind::Fn(ref sig, hir::TraitFn::Provided(body)) => {
|
||||
let m = clean_function(cx, sig, trait_item.generics, FunctionArgs::Body(body));
|
||||
let m = clean_function(cx, sig, trait_item.generics, ParamsSrc::Body(body));
|
||||
MethodItem(m, None)
|
||||
}
|
||||
hir::TraitItemKind::Fn(ref sig, hir::TraitFn::Required(idents)) => {
|
||||
let m = clean_function(cx, sig, trait_item.generics, FunctionArgs::Idents(idents));
|
||||
let m = clean_function(cx, sig, trait_item.generics, ParamsSrc::Idents(idents));
|
||||
RequiredMethodItem(m)
|
||||
}
|
||||
hir::TraitItemKind::Type(bounds, Some(default)) => {
|
||||
|
@ -1318,7 +1285,7 @@ pub(crate) fn clean_impl_item<'tcx>(
|
|||
type_: clean_ty(ty, cx),
|
||||
})),
|
||||
hir::ImplItemKind::Fn(ref sig, body) => {
|
||||
let m = clean_function(cx, sig, impl_.generics, FunctionArgs::Body(body));
|
||||
let m = clean_function(cx, sig, impl_.generics, ParamsSrc::Body(body));
|
||||
let defaultness = cx.tcx.defaultness(impl_.owner_id);
|
||||
MethodItem(m, Some(defaultness))
|
||||
}
|
||||
|
@ -1390,14 +1357,14 @@ pub(crate) fn clean_middle_assoc_item(assoc_item: &ty::AssocItem, cx: &mut DocCo
|
|||
}
|
||||
ty::AssocItemContainer::Trait => tcx.types.self_param,
|
||||
};
|
||||
let self_arg_ty =
|
||||
let self_param_ty =
|
||||
tcx.fn_sig(assoc_item.def_id).instantiate_identity().input(0).skip_binder();
|
||||
if self_arg_ty == self_ty {
|
||||
item.decl.inputs.values[0].type_ = SelfTy;
|
||||
} else if let ty::Ref(_, ty, _) = *self_arg_ty.kind()
|
||||
if self_param_ty == self_ty {
|
||||
item.decl.inputs[0].type_ = SelfTy;
|
||||
} else if let ty::Ref(_, ty, _) = *self_param_ty.kind()
|
||||
&& ty == self_ty
|
||||
{
|
||||
match item.decl.inputs.values[0].type_ {
|
||||
match item.decl.inputs[0].type_ {
|
||||
BorrowedRef { ref mut type_, .. } => **type_ = SelfTy,
|
||||
_ => unreachable!(),
|
||||
}
|
||||
|
@ -2611,15 +2578,25 @@ fn clean_bare_fn_ty<'tcx>(
|
|||
cx: &mut DocContext<'tcx>,
|
||||
) -> BareFunctionDecl {
|
||||
let (generic_params, decl) = enter_impl_trait(cx, |cx| {
|
||||
// NOTE: generics must be cleaned before args
|
||||
// NOTE: Generics must be cleaned before params.
|
||||
let generic_params = bare_fn
|
||||
.generic_params
|
||||
.iter()
|
||||
.filter(|p| !is_elided_lifetime(p))
|
||||
.map(|x| clean_generic_param(cx, None, x))
|
||||
.collect();
|
||||
let args = clean_args_from_types_and_names(cx, bare_fn.decl.inputs, bare_fn.param_idents);
|
||||
let decl = clean_fn_decl_with_args(cx, bare_fn.decl, None, args);
|
||||
// Since it's more conventional stylistically, elide the name of all params called `_`
|
||||
// unless there's at least one interestingly named param in which case don't elide any
|
||||
// name since mixing named and unnamed params is less legible.
|
||||
let filter = |ident: Option<Ident>| {
|
||||
ident.map(|ident| ident.name).filter(|&ident| ident != kw::Underscore)
|
||||
};
|
||||
let fallback =
|
||||
bare_fn.param_idents.iter().copied().find_map(filter).map(|_| kw::Underscore);
|
||||
let params = clean_params(cx, bare_fn.decl.inputs, bare_fn.param_idents, |ident| {
|
||||
filter(ident).or(fallback)
|
||||
});
|
||||
let decl = clean_fn_decl_with_params(cx, bare_fn.decl, None, params);
|
||||
(generic_params, decl)
|
||||
});
|
||||
BareFunctionDecl { safety: bare_fn.safety, abi: bare_fn.abi, decl, generic_params }
|
||||
|
@ -2629,7 +2606,6 @@ fn clean_unsafe_binder_ty<'tcx>(
|
|||
unsafe_binder_ty: &hir::UnsafeBinderTy<'tcx>,
|
||||
cx: &mut DocContext<'tcx>,
|
||||
) -> UnsafeBinderTy {
|
||||
// NOTE: generics must be cleaned before args
|
||||
let generic_params = unsafe_binder_ty
|
||||
.generic_params
|
||||
.iter()
|
||||
|
@ -3155,7 +3131,7 @@ fn clean_maybe_renamed_foreign_item<'tcx>(
|
|||
cx.with_param_env(def_id, |cx| {
|
||||
let kind = match item.kind {
|
||||
hir::ForeignItemKind::Fn(sig, idents, generics) => ForeignFunctionItem(
|
||||
clean_function(cx, &sig, generics, FunctionArgs::Idents(idents)),
|
||||
clean_function(cx, &sig, generics, ParamsSrc::Idents(idents)),
|
||||
sig.header.safety(),
|
||||
),
|
||||
hir::ForeignItemKind::Static(ty, mutability, safety) => ForeignStaticItem(
|
||||
|
|
|
@ -788,7 +788,7 @@ impl Item {
|
|||
}
|
||||
_ => Some(rustc_hir_pretty::attribute_to_string(&tcx, attr)),
|
||||
}
|
||||
} else if ALLOWED_ATTRIBUTES.contains(&attr.name_or_empty()) {
|
||||
} else if attr.has_any_name(ALLOWED_ATTRIBUTES) {
|
||||
Some(
|
||||
rustc_hir_pretty::attribute_to_string(&tcx, attr)
|
||||
.replace("\\\n", "")
|
||||
|
@ -1407,32 +1407,28 @@ pub(crate) struct Function {
|
|||
|
||||
#[derive(Clone, PartialEq, Eq, Debug, Hash)]
|
||||
pub(crate) struct FnDecl {
|
||||
pub(crate) inputs: Arguments,
|
||||
pub(crate) inputs: Vec<Parameter>,
|
||||
pub(crate) output: Type,
|
||||
pub(crate) c_variadic: bool,
|
||||
}
|
||||
|
||||
impl FnDecl {
|
||||
pub(crate) fn receiver_type(&self) -> Option<&Type> {
|
||||
self.inputs.values.first().and_then(|v| v.to_receiver())
|
||||
self.inputs.first().and_then(|v| v.to_receiver())
|
||||
}
|
||||
}
|
||||
|
||||
/// A function parameter.
|
||||
#[derive(Clone, PartialEq, Eq, Debug, Hash)]
|
||||
pub(crate) struct Arguments {
|
||||
pub(crate) values: Vec<Argument>,
|
||||
}
|
||||
|
||||
#[derive(Clone, PartialEq, Eq, Debug, Hash)]
|
||||
pub(crate) struct Argument {
|
||||
pub(crate) type_: Type,
|
||||
pub(crate) struct Parameter {
|
||||
pub(crate) name: Option<Symbol>,
|
||||
pub(crate) type_: Type,
|
||||
/// This field is used to represent "const" arguments from the `rustc_legacy_const_generics`
|
||||
/// feature. More information in <https://github.com/rust-lang/rust/issues/83167>.
|
||||
pub(crate) is_const: bool,
|
||||
}
|
||||
|
||||
impl Argument {
|
||||
impl Parameter {
|
||||
pub(crate) fn to_receiver(&self) -> Option<&Type> {
|
||||
if self.name == Some(kw::SelfLower) { Some(&self.type_) } else { None }
|
||||
}
|
||||
|
|
|
@ -303,13 +303,12 @@ pub(crate) fn name_from_pat(p: &hir::Pat<'_>) -> Symbol {
|
|||
debug!("trying to get a name from pattern: {p:?}");
|
||||
|
||||
Symbol::intern(&match &p.kind {
|
||||
// FIXME(never_patterns): does this make sense?
|
||||
PatKind::Missing => unreachable!(),
|
||||
PatKind::Wild
|
||||
| PatKind::Err(_)
|
||||
PatKind::Err(_)
|
||||
| PatKind::Missing // Let's not perpetuate anon params from Rust 2015; use `_` for them.
|
||||
| PatKind::Never
|
||||
| PatKind::Range(..)
|
||||
| PatKind::Struct(..)
|
||||
| PatKind::Range(..) => {
|
||||
| PatKind::Wild => {
|
||||
return kw::Underscore;
|
||||
}
|
||||
PatKind::Binding(_, _, ident, _) => return ident.name,
|
||||
|
|
|
@ -412,9 +412,7 @@ pub(crate) fn run_global_ctxt(
|
|||
// Process all of the crate attributes, extracting plugin metadata along
|
||||
// with the passes which we are supposed to run.
|
||||
for attr in krate.module.attrs.lists(sym::doc) {
|
||||
let name = attr.name_or_empty();
|
||||
|
||||
if attr.is_word() && name == sym::document_private_items {
|
||||
if attr.is_word() && attr.has_name(sym::document_private_items) {
|
||||
ctxt.render_options.document_private = true;
|
||||
}
|
||||
}
|
||||
|
|
|
@ -345,7 +345,7 @@ fn parse_source(source: &str, crate_name: &Option<&str>) -> Result<ParseSourceIn
|
|||
fn check_item(item: &ast::Item, info: &mut ParseSourceInfo, crate_name: &Option<&str>) -> bool {
|
||||
let mut is_extern_crate = false;
|
||||
if !info.has_global_allocator
|
||||
&& item.attrs.iter().any(|attr| attr.name_or_empty() == sym::global_allocator)
|
||||
&& item.attrs.iter().any(|attr| attr.has_name(sym::global_allocator))
|
||||
{
|
||||
info.has_global_allocator = true;
|
||||
}
|
||||
|
@ -377,7 +377,7 @@ fn parse_source(source: &str, crate_name: &Option<&str>) -> Result<ParseSourceIn
|
|||
}
|
||||
|
||||
let mut prev_span_hi = 0;
|
||||
let not_crate_attrs = [sym::forbid, sym::allow, sym::warn, sym::deny, sym::expect];
|
||||
let not_crate_attrs = &[sym::forbid, sym::allow, sym::warn, sym::deny, sym::expect];
|
||||
let parsed = parser.parse_item(rustc_parse::parser::ForceCollect::No);
|
||||
|
||||
let result = match parsed {
|
||||
|
@ -386,17 +386,13 @@ fn parse_source(source: &str, crate_name: &Option<&str>) -> Result<ParseSourceIn
|
|||
&& let Some(ref body) = fn_item.body =>
|
||||
{
|
||||
for attr in &item.attrs {
|
||||
let attr_name = attr.name_or_empty();
|
||||
|
||||
if attr.style == AttrStyle::Outer || not_crate_attrs.contains(&attr_name) {
|
||||
if attr.style == AttrStyle::Outer || attr.has_any_name(not_crate_attrs) {
|
||||
// There is one exception to these attributes:
|
||||
// `#![allow(internal_features)]`. If this attribute is used, we need to
|
||||
// consider it only as a crate-level attribute.
|
||||
if attr_name == sym::allow
|
||||
if attr.has_name(sym::allow)
|
||||
&& let Some(list) = attr.meta_item_list()
|
||||
&& list.iter().any(|sub_attr| {
|
||||
sub_attr.name_or_empty().as_str() == "internal_features"
|
||||
})
|
||||
&& list.iter().any(|sub_attr| sub_attr.has_name(sym::internal_features))
|
||||
{
|
||||
push_to_s(&mut info.crate_attrs, source, attr.span, &mut prev_span_hi);
|
||||
} else {
|
||||
|
|
|
@ -1186,8 +1186,8 @@ impl clean::Impl {
|
|||
{
|
||||
primitive_link(f, PrimitiveType::Array, format_args!("[{name}; N]"), cx)?;
|
||||
} else if let clean::BareFunction(bare_fn) = &type_
|
||||
&& let [clean::Argument { type_: clean::Type::Generic(name), .. }] =
|
||||
&bare_fn.decl.inputs.values[..]
|
||||
&& let [clean::Parameter { type_: clean::Type::Generic(name), .. }] =
|
||||
&bare_fn.decl.inputs[..]
|
||||
&& (self.kind.is_fake_variadic() || self.kind.is_auto())
|
||||
{
|
||||
// Hardcoded anchor library/core/src/primitive_docs.rs
|
||||
|
@ -1234,22 +1234,20 @@ impl clean::Impl {
|
|||
}
|
||||
}
|
||||
|
||||
impl clean::Arguments {
|
||||
pub(crate) fn print(&self, cx: &Context<'_>) -> impl Display {
|
||||
fmt::from_fn(move |f| {
|
||||
self.values
|
||||
.iter()
|
||||
.map(|input| {
|
||||
fmt::from_fn(|f| {
|
||||
if let Some(name) = input.name {
|
||||
write!(f, "{}: ", name)?;
|
||||
}
|
||||
input.type_.print(cx).fmt(f)
|
||||
})
|
||||
pub(crate) fn print_params(params: &[clean::Parameter], cx: &Context<'_>) -> impl Display {
|
||||
fmt::from_fn(move |f| {
|
||||
params
|
||||
.iter()
|
||||
.map(|param| {
|
||||
fmt::from_fn(|f| {
|
||||
if let Some(name) = param.name {
|
||||
write!(f, "{}: ", name)?;
|
||||
}
|
||||
param.type_.print(cx).fmt(f)
|
||||
})
|
||||
.joined(", ", f)
|
||||
})
|
||||
}
|
||||
})
|
||||
.joined(", ", f)
|
||||
})
|
||||
}
|
||||
|
||||
// Implements Write but only counts the bytes "written".
|
||||
|
@ -1281,16 +1279,16 @@ impl clean::FnDecl {
|
|||
if f.alternate() {
|
||||
write!(
|
||||
f,
|
||||
"({args:#}{ellipsis}){arrow:#}",
|
||||
args = self.inputs.print(cx),
|
||||
"({params:#}{ellipsis}){arrow:#}",
|
||||
params = print_params(&self.inputs, cx),
|
||||
ellipsis = ellipsis,
|
||||
arrow = self.print_output(cx)
|
||||
)
|
||||
} else {
|
||||
write!(
|
||||
f,
|
||||
"({args}{ellipsis}){arrow}",
|
||||
args = self.inputs.print(cx),
|
||||
"({params}{ellipsis}){arrow}",
|
||||
params = print_params(&self.inputs, cx),
|
||||
ellipsis = ellipsis,
|
||||
arrow = self.print_output(cx)
|
||||
)
|
||||
|
@ -1336,14 +1334,14 @@ impl clean::FnDecl {
|
|||
|
||||
write!(f, "(")?;
|
||||
if let Some(n) = line_wrapping_indent
|
||||
&& !self.inputs.values.is_empty()
|
||||
&& !self.inputs.is_empty()
|
||||
{
|
||||
write!(f, "\n{}", Indent(n + 4))?;
|
||||
}
|
||||
|
||||
let last_input_index = self.inputs.values.len().checked_sub(1);
|
||||
for (i, input) in self.inputs.values.iter().enumerate() {
|
||||
if let Some(selfty) = input.to_receiver() {
|
||||
let last_input_index = self.inputs.len().checked_sub(1);
|
||||
for (i, param) in self.inputs.iter().enumerate() {
|
||||
if let Some(selfty) = param.to_receiver() {
|
||||
match selfty {
|
||||
clean::SelfTy => {
|
||||
write!(f, "self")?;
|
||||
|
@ -1361,13 +1359,13 @@ impl clean::FnDecl {
|
|||
}
|
||||
}
|
||||
} else {
|
||||
if input.is_const {
|
||||
if param.is_const {
|
||||
write!(f, "const ")?;
|
||||
}
|
||||
if let Some(name) = input.name {
|
||||
if let Some(name) = param.name {
|
||||
write!(f, "{}: ", name)?;
|
||||
}
|
||||
input.type_.print(cx).fmt(f)?;
|
||||
param.type_.print(cx).fmt(f)?;
|
||||
}
|
||||
match (line_wrapping_indent, last_input_index) {
|
||||
(_, None) => (),
|
||||
|
|
|
@ -521,23 +521,23 @@ impl<'tcx> FormatRenderer<'tcx> for Context<'tcx> {
|
|||
// Crawl the crate attributes looking for attributes which control how we're
|
||||
// going to emit HTML
|
||||
for attr in krate.module.attrs.lists(sym::doc) {
|
||||
match (attr.name_or_empty(), attr.value_str()) {
|
||||
(sym::html_favicon_url, Some(s)) => {
|
||||
match (attr.name(), attr.value_str()) {
|
||||
(Some(sym::html_favicon_url), Some(s)) => {
|
||||
layout.favicon = s.to_string();
|
||||
}
|
||||
(sym::html_logo_url, Some(s)) => {
|
||||
(Some(sym::html_logo_url), Some(s)) => {
|
||||
layout.logo = s.to_string();
|
||||
}
|
||||
(sym::html_playground_url, Some(s)) => {
|
||||
(Some(sym::html_playground_url), Some(s)) => {
|
||||
playground = Some(markdown::Playground {
|
||||
crate_name: Some(krate.name(tcx)),
|
||||
url: s.to_string(),
|
||||
});
|
||||
}
|
||||
(sym::issue_tracker_base_url, Some(s)) => {
|
||||
(Some(sym::issue_tracker_base_url), Some(s)) => {
|
||||
issue_tracker_base_url = Some(s.to_string());
|
||||
}
|
||||
(sym::html_no_source, None) if attr.is_word() => {
|
||||
(Some(sym::html_no_source), None) if attr.is_word() => {
|
||||
include_sources = false;
|
||||
}
|
||||
_ => {}
|
||||
|
|
|
@ -1112,7 +1112,7 @@ fn simplify_fn_type<'a, 'tcx>(
|
|||
}
|
||||
Type::BareFunction(ref bf) => {
|
||||
let mut ty_generics = Vec::new();
|
||||
for ty in bf.decl.inputs.values.iter().map(|arg| &arg.type_) {
|
||||
for ty in bf.decl.inputs.iter().map(|arg| &arg.type_) {
|
||||
simplify_fn_type(
|
||||
self_,
|
||||
generics,
|
||||
|
@ -1418,15 +1418,15 @@ fn get_fn_inputs_and_outputs(
|
|||
(None, &func.generics)
|
||||
};
|
||||
|
||||
let mut arg_types = Vec::new();
|
||||
for arg in decl.inputs.values.iter() {
|
||||
let mut param_types = Vec::new();
|
||||
for param in decl.inputs.iter() {
|
||||
simplify_fn_type(
|
||||
self_,
|
||||
generics,
|
||||
&arg.type_,
|
||||
¶m.type_,
|
||||
tcx,
|
||||
0,
|
||||
&mut arg_types,
|
||||
&mut param_types,
|
||||
&mut rgen,
|
||||
false,
|
||||
cache,
|
||||
|
@ -1439,7 +1439,7 @@ fn get_fn_inputs_and_outputs(
|
|||
let mut simplified_params = rgen.into_iter().collect::<Vec<_>>();
|
||||
simplified_params.sort_by_key(|(_, (idx, _))| -idx);
|
||||
(
|
||||
arg_types,
|
||||
param_types,
|
||||
ret_types,
|
||||
simplified_params
|
||||
.iter()
|
||||
|
|
|
@ -609,11 +609,12 @@ impl FromClean<clean::FnDecl> for FunctionSignature {
|
|||
let clean::FnDecl { inputs, output, c_variadic } = decl;
|
||||
FunctionSignature {
|
||||
inputs: inputs
|
||||
.values
|
||||
.into_iter()
|
||||
// `_` is the most sensible name for missing param names.
|
||||
.map(|arg| {
|
||||
(arg.name.unwrap_or(kw::Underscore).to_string(), arg.type_.into_json(renderer))
|
||||
.map(|param| {
|
||||
// `_` is the most sensible name for missing param names.
|
||||
let name = param.name.unwrap_or(kw::Underscore).to_string();
|
||||
let type_ = param.type_.into_json(renderer);
|
||||
(name, type_)
|
||||
})
|
||||
.collect(),
|
||||
output: if output.is_unit() { None } else { Some(output.into_json(renderer)) },
|
||||
|
|
|
@ -14,6 +14,7 @@ use std::io::{BufWriter, Write, stdout};
|
|||
use std::path::PathBuf;
|
||||
use std::rc::Rc;
|
||||
|
||||
use rustc_data_structures::fx::FxHashSet;
|
||||
use rustc_hir::def_id::{DefId, DefIdSet};
|
||||
use rustc_middle::ty::TyCtxt;
|
||||
use rustc_session::Session;
|
||||
|
@ -123,6 +124,58 @@ impl<'tcx> JsonRenderer<'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
fn target(sess: &rustc_session::Session) -> types::Target {
|
||||
// Build a set of which features are enabled on this target
|
||||
let globally_enabled_features: FxHashSet<&str> =
|
||||
sess.unstable_target_features.iter().map(|name| name.as_str()).collect();
|
||||
|
||||
// Build a map of target feature stability by feature name
|
||||
use rustc_target::target_features::Stability;
|
||||
let feature_stability: FxHashMap<&str, Stability> = sess
|
||||
.target
|
||||
.rust_target_features()
|
||||
.into_iter()
|
||||
.copied()
|
||||
.map(|(name, stability, _)| (name, stability))
|
||||
.collect();
|
||||
|
||||
types::Target {
|
||||
triple: sess.opts.target_triple.tuple().into(),
|
||||
target_features: sess
|
||||
.target
|
||||
.rust_target_features()
|
||||
.into_iter()
|
||||
.copied()
|
||||
.filter(|(_, stability, _)| {
|
||||
// Describe only target features which the user can toggle
|
||||
stability.toggle_allowed().is_ok()
|
||||
})
|
||||
.map(|(name, stability, implied_features)| {
|
||||
types::TargetFeature {
|
||||
name: name.into(),
|
||||
unstable_feature_gate: match stability {
|
||||
Stability::Unstable(feature_gate) => Some(feature_gate.as_str().into()),
|
||||
_ => None,
|
||||
},
|
||||
implies_features: implied_features
|
||||
.into_iter()
|
||||
.copied()
|
||||
.filter(|name| {
|
||||
// Imply only target features which the user can toggle
|
||||
feature_stability
|
||||
.get(name)
|
||||
.map(|stability| stability.toggle_allowed().is_ok())
|
||||
.unwrap_or(false)
|
||||
})
|
||||
.map(String::from)
|
||||
.collect(),
|
||||
globally_enabled: globally_enabled_features.contains(name),
|
||||
}
|
||||
})
|
||||
.collect(),
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> FormatRenderer<'tcx> for JsonRenderer<'tcx> {
|
||||
fn descr() -> &'static str {
|
||||
"json"
|
||||
|
@ -248,6 +301,12 @@ impl<'tcx> FormatRenderer<'tcx> for JsonRenderer<'tcx> {
|
|||
let e = ExternalCrate { crate_num: LOCAL_CRATE };
|
||||
let index = (*self.index).clone().into_inner();
|
||||
|
||||
// Note that tcx.rust_target_features is inappropriate here because rustdoc tries to run for
|
||||
// multiple targets: https://github.com/rust-lang/rust/pull/137632
|
||||
//
|
||||
// We want to describe a single target, so pass tcx.sess rather than tcx.
|
||||
let target = target(self.tcx.sess);
|
||||
|
||||
debug!("Constructing Output");
|
||||
let output_crate = types::Crate {
|
||||
root: self.id_from_item_default(e.def_id().into()),
|
||||
|
@ -288,6 +347,7 @@ impl<'tcx> FormatRenderer<'tcx> for JsonRenderer<'tcx> {
|
|||
)
|
||||
})
|
||||
.collect(),
|
||||
target,
|
||||
format_version: types::FORMAT_VERSION,
|
||||
};
|
||||
if let Some(ref out_dir) = self.out_dir {
|
||||
|
|
|
@ -30,7 +30,7 @@ pub type FxHashMap<K, V> = HashMap<K, V>; // re-export for use in src/librustdoc
|
|||
/// This integer is incremented with every breaking change to the API,
|
||||
/// and is returned along with the JSON blob as [`Crate::format_version`].
|
||||
/// Consuming code should assert that this value matches the format version(s) that it supports.
|
||||
pub const FORMAT_VERSION: u32 = 43;
|
||||
pub const FORMAT_VERSION: u32 = 44;
|
||||
|
||||
/// The root of the emitted JSON blob.
|
||||
///
|
||||
|
@ -52,11 +52,67 @@ pub struct Crate {
|
|||
pub paths: HashMap<Id, ItemSummary>,
|
||||
/// Maps `crate_id` of items to a crate name and html_root_url if it exists.
|
||||
pub external_crates: HashMap<u32, ExternalCrate>,
|
||||
/// Information about the target for which this documentation was generated
|
||||
pub target: Target,
|
||||
/// A single version number to be used in the future when making backwards incompatible changes
|
||||
/// to the JSON output.
|
||||
pub format_version: u32,
|
||||
}
|
||||
|
||||
/// Information about a target
|
||||
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
|
||||
pub struct Target {
|
||||
/// The target triple for which this documentation was generated
|
||||
pub triple: String,
|
||||
/// A list of features valid for use in `#[target_feature]` attributes
|
||||
/// for the target where this rustdoc JSON was generated.
|
||||
pub target_features: Vec<TargetFeature>,
|
||||
}
|
||||
|
||||
/// Information about a target feature.
|
||||
///
|
||||
/// Rust target features are used to influence code generation, especially around selecting
|
||||
/// instructions which are not universally supported by the target architecture.
|
||||
///
|
||||
/// Target features are commonly enabled by the [`#[target_feature]` attribute][1] to influence code
|
||||
/// generation for a particular function, and less commonly enabled by compiler options like
|
||||
/// `-Ctarget-feature` or `-Ctarget-cpu`. Targets themselves automatically enable certain target
|
||||
/// features by default, for example because the target's ABI specification requires saving specific
|
||||
/// registers which only exist in an architectural extension.
|
||||
///
|
||||
/// Target features can imply other target features: for example, x86-64 `avx2` implies `avx`, and
|
||||
/// aarch64 `sve2` implies `sve`, since both of these architectural extensions depend on their
|
||||
/// predecessors.
|
||||
///
|
||||
/// Target features can be probed at compile time by [`#[cfg(target_feature)]`][2] or `cfg!(…)`
|
||||
/// conditional compilation to determine whether a target feature is enabled in a particular
|
||||
/// context.
|
||||
///
|
||||
/// [1]: https://doc.rust-lang.org/stable/reference/attributes/codegen.html#the-target_feature-attribute
|
||||
/// [2]: https://doc.rust-lang.org/reference/conditional-compilation.html#target_feature
|
||||
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
|
||||
pub struct TargetFeature {
|
||||
/// The name of this target feature.
|
||||
pub name: String,
|
||||
/// Other target features which are implied by this target feature, if any.
|
||||
pub implies_features: Vec<String>,
|
||||
/// If this target feature is unstable, the name of the associated language feature gate.
|
||||
pub unstable_feature_gate: Option<String>,
|
||||
/// Whether this feature is globally enabled for this compilation session.
|
||||
///
|
||||
/// Target features can be globally enabled implicitly as a result of the target's definition.
|
||||
/// For example, x86-64 hardware floating point ABIs require saving x87 and SSE2 registers,
|
||||
/// which in turn requires globally enabling the `x87` and `sse2` target features so that the
|
||||
/// generated machine code conforms to the target's ABI.
|
||||
///
|
||||
/// Target features can also be globally enabled explicitly as a result of compiler flags like
|
||||
/// [`-Ctarget-feature`][1] or [`-Ctarget-cpu`][2].
|
||||
///
|
||||
/// [1]: https://doc.rust-lang.org/beta/rustc/codegen-options/index.html#target-feature
|
||||
/// [2]: https://doc.rust-lang.org/beta/rustc/codegen-options/index.html#target-cpu
|
||||
pub globally_enabled: bool,
|
||||
}
|
||||
|
||||
/// Metadata of a crate, either the same crate on which `rustdoc` was invoked, or its dependency.
|
||||
#[derive(Clone, Debug, PartialEq, Eq, Hash, Serialize, Deserialize)]
|
||||
pub struct ExternalCrate {
|
||||
|
|
|
@ -179,7 +179,7 @@ fn find_first_mismatch(cx: &LateContext<'_>, pat: &Pat<'_>) -> Option<(Span, Mut
|
|||
};
|
||||
if let Some(adjustments) = cx.typeck_results().pat_adjustments().get(adjust_pat.hir_id) {
|
||||
if let [first, ..] = **adjustments {
|
||||
if let ty::Ref(.., mutability) = *first.kind() {
|
||||
if let ty::Ref(.., mutability) = *first.source.kind() {
|
||||
let level = if p.hir_id == pat.hir_id {
|
||||
Level::Top
|
||||
} else {
|
||||
|
|
|
@ -2363,14 +2363,14 @@ pub fn is_no_std_crate(cx: &LateContext<'_>) -> bool {
|
|||
cx.tcx
|
||||
.hir_attrs(hir::CRATE_HIR_ID)
|
||||
.iter()
|
||||
.any(|attr| attr.name_or_empty() == sym::no_std)
|
||||
.any(|attr| attr.has_name(sym::no_std))
|
||||
}
|
||||
|
||||
pub fn is_no_core_crate(cx: &LateContext<'_>) -> bool {
|
||||
cx.tcx
|
||||
.hir_attrs(hir::CRATE_HIR_ID)
|
||||
.iter()
|
||||
.any(|attr| attr.name_or_empty() == sym::no_core)
|
||||
.any(|attr| attr.has_name(sym::no_core))
|
||||
}
|
||||
|
||||
/// Check if parent of a hir node is a trait implementation block.
|
||||
|
|
|
@ -178,6 +178,7 @@ const KNOWN_DIRECTIVE_NAMES: &[&str] = &[
|
|||
"only-32bit",
|
||||
"only-64bit",
|
||||
"only-aarch64",
|
||||
"only-aarch64-apple-darwin",
|
||||
"only-aarch64-unknown-linux-gnu",
|
||||
"only-apple",
|
||||
"only-arm",
|
||||
|
@ -191,6 +192,7 @@ const KNOWN_DIRECTIVE_NAMES: &[&str] = &[
|
|||
"only-gnu",
|
||||
"only-i686-pc-windows-gnu",
|
||||
"only-i686-pc-windows-msvc",
|
||||
"only-i686-unknown-linux-gnu",
|
||||
"only-ios",
|
||||
"only-linux",
|
||||
"only-loongarch64",
|
||||
|
@ -222,6 +224,7 @@ const KNOWN_DIRECTIVE_NAMES: &[&str] = &[
|
|||
"only-windows-msvc",
|
||||
"only-x86",
|
||||
"only-x86_64",
|
||||
"only-x86_64-apple-darwin",
|
||||
"only-x86_64-fortanix-unknown-sgx",
|
||||
"only-x86_64-pc-windows-gnu",
|
||||
"only-x86_64-pc-windows-msvc",
|
||||
|
|
|
@ -156,7 +156,7 @@ static LINE_PATTERN: LazyLock<Regex> = LazyLock::new(|| {
|
|||
r#"
|
||||
//@\s+
|
||||
(?P<negated>!?)
|
||||
(?P<cmd>[A-Za-z]+(?:-[A-Za-z]+)*)
|
||||
(?P<cmd>[A-Za-z0-9]+(?:-[A-Za-z0-9]+)*)
|
||||
(?P<args>.*)$
|
||||
"#,
|
||||
)
|
||||
|
|
|
@ -42,6 +42,7 @@ fn errors_on_missing_links() {
|
|||
)]),
|
||||
paths: FxHashMap::default(),
|
||||
external_crates: FxHashMap::default(),
|
||||
target: rustdoc_json_types::Target { triple: "".to_string(), target_features: vec![] },
|
||||
format_version: rustdoc_json_types::FORMAT_VERSION,
|
||||
};
|
||||
|
||||
|
@ -112,6 +113,7 @@ fn errors_on_local_in_paths_and_not_index() {
|
|||
},
|
||||
)]),
|
||||
external_crates: FxHashMap::default(),
|
||||
target: rustdoc_json_types::Target { triple: "".to_string(), target_features: vec![] },
|
||||
format_version: rustdoc_json_types::FORMAT_VERSION,
|
||||
};
|
||||
|
||||
|
@ -216,6 +218,7 @@ fn errors_on_missing_path() {
|
|||
ItemSummary { crate_id: 0, path: vec!["foo".to_owned()], kind: ItemKind::Module },
|
||||
)]),
|
||||
external_crates: FxHashMap::default(),
|
||||
target: rustdoc_json_types::Target { triple: "".to_string(), target_features: vec![] },
|
||||
format_version: rustdoc_json_types::FORMAT_VERSION,
|
||||
};
|
||||
|
||||
|
@ -259,6 +262,7 @@ fn checks_local_crate_id_is_correct() {
|
|||
)]),
|
||||
paths: FxHashMap::default(),
|
||||
external_crates: FxHashMap::default(),
|
||||
target: rustdoc_json_types::Target { triple: "".to_string(), target_features: vec![] },
|
||||
format_version: FORMAT_VERSION,
|
||||
};
|
||||
check(&krate, &[]);
|
||||
|
|
45
src/tools/miri/tests/pass/issues/issue-139553.rs
Normal file
45
src/tools/miri/tests/pass/issues/issue-139553.rs
Normal file
|
@ -0,0 +1,45 @@
|
|||
//@compile-flags: -Zmiri-preemption-rate=0 -Zmiri-compare-exchange-weak-failure-rate=0
|
||||
use std::sync::mpsc::channel;
|
||||
use std::thread;
|
||||
|
||||
/// This test aims to trigger a race condition that causes a double free in the unbounded channel
|
||||
/// implementation. The test relies on a particular thread scheduling to happen as annotated by the
|
||||
/// comments below.
|
||||
fn main() {
|
||||
let (s1, r) = channel::<u64>();
|
||||
let s2 = s1.clone();
|
||||
|
||||
let t1 = thread::spawn(move || {
|
||||
// 1. The first action executed is an attempt to send the first value in the channel. This
|
||||
// will begin to initialize the channel but will stop at a critical momement as
|
||||
// indicated by the `yield_now()` call in the `start_send` method of the implementation.
|
||||
let _ = s1.send(42);
|
||||
// 4. The sender is re-scheduled and it finishes the initialization of the channel by
|
||||
// setting head.block to the same value as tail.block. It then proceeds to publish its
|
||||
// value but observes that the channel has already disconnected (due to the concurrent
|
||||
// call of `discard_all_messages`) and aborts the send.
|
||||
});
|
||||
std::thread::yield_now();
|
||||
|
||||
// 2. A second sender attempts to send a value while the channel is in a half-initialized
|
||||
// state. Here, half-initialized means that the `tail.block` pointer points to a valid block
|
||||
// but `head.block` is still null. This condition is ensured by the yield of step 1. When
|
||||
// this call returns the channel state has tail.index != head.index, tail.block != NULL, and
|
||||
// head.block = NULL.
|
||||
s2.send(42).unwrap();
|
||||
// 3. This thread continues with dropping the one and only receiver. When all receivers are
|
||||
// gone `discard_all_messages` will attempt to drop all currently sent values and
|
||||
// de-allocate all the blocks. If `tail.block != NULL` but `head.block = NULL` the
|
||||
// implementation waits for the initializing sender to finish by spinning/yielding.
|
||||
drop(r);
|
||||
// 5. This thread is rescheduled and `discard_all_messages` observes the head.block pointer set
|
||||
// by step 4 and proceeds with deallocation. In the problematic version of the code
|
||||
// `head.block` is simply read via an `Acquire` load and not swapped with NULL. After this
|
||||
// call returns the channel state has tail.index = head.index, tail.block = NULL, and
|
||||
// head.block != NULL.
|
||||
t1.join().unwrap();
|
||||
// 6. The last sender (s2) is dropped here which also attempts to cleanup any data in the
|
||||
// channel. It observes `tail.index = head.index` and so it doesn't attempt to cleanup any
|
||||
// messages but it also observes that `head.block != NULL` and attempts to deallocate it.
|
||||
// This is however already deallocated by `discard_all_messages`, leading to a double free.
|
||||
}
|
14
tests/rustdoc-json/targets/aarch64_apple_darwin.rs
Normal file
14
tests/rustdoc-json/targets/aarch64_apple_darwin.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-aarch64-apple-darwin
|
||||
|
||||
//@ is "$.target.triple" \"aarch64-apple-darwin\"
|
||||
//@ is "$.target.target_features[?(@.name=='vh')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='sve')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='sve2')].implies_features" '["sve"]'
|
||||
//@ is "$.target.target_features[?(@.name=='sve2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='cssc')].unstable_feature_gate" '"aarch64_unstable_target_feature"'
|
||||
//@ is "$.target.target_features[?(@.name=='v9a')].unstable_feature_gate" '"aarch64_ver_target_feature"'
|
||||
|
||||
// Ensure we don't look like x86-64
|
||||
//@ !has "$.target.target_features[?(@.name=='avx2')]"
|
|
@ -0,0 +1,10 @@
|
|||
//@ only-aarch64
|
||||
|
||||
// If we enable SVE Bit Permute, we should see that it is enabled
|
||||
//@ compile-flags: -Ctarget-feature=+sve2-bitperm
|
||||
//@ is "$.target.target_features[?(@.name=='sve2-bitperm')].globally_enabled" true
|
||||
|
||||
// As well as its dependency chain
|
||||
//@ is "$.target.target_features[?(@.name=='sve2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='sve')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='neon')].globally_enabled" true
|
14
tests/rustdoc-json/targets/aarch64_unknown_linux_gnu.rs
Normal file
14
tests/rustdoc-json/targets/aarch64_unknown_linux_gnu.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-aarch64-unknown-linux-gnu
|
||||
|
||||
//@ is "$.target.triple" \"aarch64-unknown-linux-gnu\"
|
||||
//@ is "$.target.target_features[?(@.name=='neon')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='sve')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='sve2')].implies_features" '["sve"]'
|
||||
//@ is "$.target.target_features[?(@.name=='sve2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='cssc')].unstable_feature_gate" '"aarch64_unstable_target_feature"'
|
||||
//@ is "$.target.target_features[?(@.name=='v9a')].unstable_feature_gate" '"aarch64_ver_target_feature"'
|
||||
|
||||
// Ensure we don't look like x86-64
|
||||
//@ !has "$.target.target_features[?(@.name=='avx2')]"
|
14
tests/rustdoc-json/targets/i686_pc_windows_msvc.rs
Normal file
14
tests/rustdoc-json/targets/i686_pc_windows_msvc.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-i686-pc-windows-msvc
|
||||
|
||||
//@ is "$.target.triple" \"i686-pc-windows-msvc\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
14
tests/rustdoc-json/targets/i686_unknown_linux_gnu.rs
Normal file
14
tests/rustdoc-json/targets/i686_unknown_linux_gnu.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-i686-unknown-linux-gnu
|
||||
|
||||
//@ is "$.target.triple" \"i686-unknown-linux-gnu\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
14
tests/rustdoc-json/targets/x86_64_apple_darwin.rs
Normal file
14
tests/rustdoc-json/targets/x86_64_apple_darwin.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-x86_64-apple-darwin
|
||||
|
||||
//@ is "$.target.triple" \"x86_64-apple-darwin\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
14
tests/rustdoc-json/targets/x86_64_pc_windows_gnu.rs
Normal file
14
tests/rustdoc-json/targets/x86_64_pc_windows_gnu.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-x86_64-pc-windows-gnu
|
||||
|
||||
//@ is "$.target.triple" \"x86_64-pc-windows-gnu\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
14
tests/rustdoc-json/targets/x86_64_pc_windows_msvc.rs
Normal file
14
tests/rustdoc-json/targets/x86_64_pc_windows_msvc.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-x86_64-pc-windows-msvc
|
||||
|
||||
//@ is "$.target.triple" \"x86_64-pc-windows-msvc\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
|
@ -0,0 +1,10 @@
|
|||
//@ only-x86_64
|
||||
|
||||
// If we enable AVX2, we should see that it is enabled
|
||||
//@ compile-flags: -Ctarget-feature=+avx2
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" true
|
||||
|
||||
// As well as its dependency chain
|
||||
//@ is "$.target.target_features[?(@.name=='avx')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='sse4.2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='sse4.1')].globally_enabled" true
|
14
tests/rustdoc-json/targets/x86_64_unknown_linux_gnu.rs
Normal file
14
tests/rustdoc-json/targets/x86_64_unknown_linux_gnu.rs
Normal file
|
@ -0,0 +1,14 @@
|
|||
//@ only-x86_64-unknown-linux-gnu
|
||||
|
||||
//@ is "$.target.triple" \"x86_64-unknown-linux-gnu\"
|
||||
//@ is "$.target.target_features[?(@.name=='sse2')].globally_enabled" true
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].globally_enabled" false
|
||||
//@ has "$.target.target_features[?(@.name=='avx2')].implies_features" '["avx"]'
|
||||
//@ is "$.target.target_features[?(@.name=='avx2')].unstable_feature_gate" null
|
||||
|
||||
// If this breaks due to stabilization, check rustc_target::target_features for a replacement
|
||||
//@ is "$.target.target_features[?(@.name=='amx-tile')].unstable_feature_gate" '"x86_amx_intrinsics"'
|
||||
//@ is "$.target.target_features[?(@.name=='x87')].unstable_feature_gate" '"x87_target_feature"'
|
||||
|
||||
// Ensure we don't look like aarch64
|
||||
//@ !has "$.target.target_features[?(@.name=='sve2')]"
|
25
tests/rustdoc/anon-fn-params.rs
Normal file
25
tests/rustdoc/anon-fn-params.rs
Normal file
|
@ -0,0 +1,25 @@
|
|||
// Test that we render the deprecated anonymous trait function parameters from Rust 2015 as
|
||||
// underscores in order not to perpetuate it and for legibility.
|
||||
|
||||
//@ edition: 2015
|
||||
#![expect(anonymous_parameters)]
|
||||
|
||||
// Check the "local case" (HIR cleaning) //
|
||||
|
||||
//@ has anon_fn_params/trait.Trait.html
|
||||
pub trait Trait {
|
||||
//@ has - '//*[@id="tymethod.required"]' 'fn required(_: Option<i32>, _: impl Fn(&str) -> bool)'
|
||||
fn required(Option<i32>, impl Fn(&str) -> bool);
|
||||
//@ has - '//*[@id="method.provided"]' 'fn provided(_: [i32; 2])'
|
||||
fn provided([i32; 2]) {}
|
||||
}
|
||||
|
||||
// Check the "extern case" (middle cleaning) //
|
||||
|
||||
//@ aux-build: ext-anon-fn-params.rs
|
||||
extern crate ext_anon_fn_params;
|
||||
|
||||
//@ has anon_fn_params/trait.ExtTrait.html
|
||||
//@ has - '//*[@id="tymethod.required"]' 'fn required(_: Option<i32>, _: impl Fn(&str) -> bool)'
|
||||
//@ has - '//*[@id="method.provided"]' 'fn provided(_: [i32; 2])'
|
||||
pub use ext_anon_fn_params::Trait as ExtTrait;
|
13
tests/rustdoc/assoc-fns.rs
Normal file
13
tests/rustdoc/assoc-fns.rs
Normal file
|
@ -0,0 +1,13 @@
|
|||
// Basic testing for associated functions (in traits, trait impls & inherent impls).
|
||||
|
||||
//@ has assoc_fns/trait.Trait.html
|
||||
pub trait Trait {
|
||||
//@ has - '//*[@id="tymethod.required"]' 'fn required(first: i32, second: &str)'
|
||||
fn required(first: i32, second: &str);
|
||||
|
||||
//@ has - '//*[@id="method.provided"]' 'fn provided(only: ())'
|
||||
fn provided(only: ()) {}
|
||||
|
||||
//@ has - '//*[@id="tymethod.params_are_unnamed"]' 'fn params_are_unnamed(_: i32, _: u32)'
|
||||
fn params_are_unnamed(_: i32, _: u32);
|
||||
}
|
7
tests/rustdoc/auxiliary/ext-anon-fn-params.rs
Normal file
7
tests/rustdoc/auxiliary/ext-anon-fn-params.rs
Normal file
|
@ -0,0 +1,7 @@
|
|||
//@ edition: 2015
|
||||
#![expect(anonymous_parameters)]
|
||||
|
||||
pub trait Trait {
|
||||
fn required(Option<i32>, impl Fn(&str) -> bool);
|
||||
fn provided([i32; 2]) {}
|
||||
}
|
|
@ -9,4 +9,8 @@ pub use lib::foreigner;
|
|||
extern "C" {
|
||||
//@ has ffi/fn.another.html //pre 'pub unsafe extern "C" fn another(cold_as_ice: u32)'
|
||||
pub fn another(cold_as_ice: u32);
|
||||
|
||||
//@ has ffi/fn.params_are_unnamed.html //pre \
|
||||
// 'pub unsafe extern "C" fn params_are_unnamed(_: i32, _: u32)'
|
||||
pub fn params_are_unnamed(_: i32, _: u32);
|
||||
}
|
||||
|
|
|
@ -53,17 +53,17 @@ pub use default_generic_args::R2;
|
|||
|
||||
//@ has user/type.H0.html
|
||||
// Check that we handle higher-ranked regions correctly:
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "fn(_: for<'a> fn(_: Re<'a>))"
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "fn(for<'a> fn(Re<'a>))"
|
||||
pub use default_generic_args::H0;
|
||||
|
||||
//@ has user/type.H1.html
|
||||
// Check that we don't conflate distinct universially quantified regions (#1):
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "for<'b> fn(_: for<'a> fn(_: Re<'a, &'b ()>))"
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "for<'b> fn(for<'a> fn(Re<'a, &'b ()>))"
|
||||
pub use default_generic_args::H1;
|
||||
|
||||
//@ has user/type.H2.html
|
||||
// Check that we don't conflate distinct universially quantified regions (#2):
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "for<'a> fn(_: for<'b> fn(_: Re<'a, &'b ()>))"
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "for<'a> fn(for<'b> fn(Re<'a, &'b ()>))"
|
||||
pub use default_generic_args::H2;
|
||||
|
||||
//@ has user/type.P0.html
|
||||
|
@ -86,7 +86,7 @@ pub use default_generic_args::A0;
|
|||
// Demonstrates that we currently don't elide generic arguments that are alpha-equivalent to their
|
||||
// respective generic parameter (after instantiation) for perf reasons (it would require us to
|
||||
// create an inference context).
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "Alpha<for<'arbitrary> fn(_: &'arbitrary ())>"
|
||||
//@ has - '//*[@class="rust item-decl"]//code' "Alpha<for<'arbitrary> fn(&'arbitrary ())>"
|
||||
pub use default_generic_args::A1;
|
||||
|
||||
//@ has user/type.M0.html
|
||||
|
|
|
@ -2,11 +2,11 @@
|
|||
// They should be rendered exactly as the user wrote it, i.e., in source order and with unused
|
||||
// parameters present, not stripped.
|
||||
|
||||
//@ aux-crate:fn_type=fn-type.rs
|
||||
//@ aux-crate:fn_ptr_ty=fn-ptr-ty.rs
|
||||
//@ edition: 2021
|
||||
#![crate_name = "user"]
|
||||
|
||||
//@ has user/type.F.html
|
||||
//@ has - '//*[@class="rust item-decl"]//code' \
|
||||
// "for<'z, 'a, '_unused> fn(_: &'z for<'b> fn(_: &'b str), _: &'a ()) -> &'a ();"
|
||||
pub use fn_type::F;
|
||||
// "for<'z, 'a, '_unused> fn(&'z for<'b> fn(&'b str), &'a ()) -> &'a ();"
|
||||
pub use fn_ptr_ty::F;
|
|
@ -29,7 +29,7 @@ pub use impl_trait_aux::func4;
|
|||
//@ has impl_trait/fn.func5.html
|
||||
//@ has - '//pre[@class="rust item-decl"]' "func5("
|
||||
//@ has - '//pre[@class="rust item-decl"]' "_f: impl for<'any> Fn(&'any str, &'any str) -> bool + for<'r> Other<T<'r> = ()>,"
|
||||
//@ has - '//pre[@class="rust item-decl"]' "_a: impl for<'beta, 'alpha, '_gamma> Auxiliary<'alpha, Item<'beta> = fn(_: &'beta ())>"
|
||||
//@ has - '//pre[@class="rust item-decl"]' "_a: impl for<'beta, 'alpha, '_gamma> Auxiliary<'alpha, Item<'beta> = fn(&'beta ())>"
|
||||
//@ !has - '//pre[@class="rust item-decl"]' 'where'
|
||||
pub use impl_trait_aux::func5;
|
||||
|
||||
|
|
|
@ -52,3 +52,6 @@ type TestAbiNeSign = (fn(i32), fn(u32)); //~ ERROR: ABIs are not compatible
|
|||
|
||||
#[rustc_abi(assert_eq)]
|
||||
type TestAbiEqNonsense = (fn((str, str)), fn((str, str))); //~ ERROR: cannot be known at compilation time
|
||||
|
||||
#[rustc_abi("assert_eq")] //~ ERROR unrecognized argument
|
||||
type Bad = u32;
|
||||
|
|
|
@ -906,6 +906,12 @@ LL | type TestAbiEqNonsense = (fn((str, str)), fn((str, str)));
|
|||
= help: the trait `Sized` is not implemented for `str`
|
||||
= note: only the last element of a tuple may have a dynamically sized type
|
||||
|
||||
error: unrecognized argument
|
||||
--> $DIR/debug.rs:56:13
|
||||
|
|
||||
LL | #[rustc_abi("assert_eq")]
|
||||
| ^^^^^^^^^^^
|
||||
|
||||
error: `#[rustc_abi]` can only be applied to function items, type aliases, and associated functions
|
||||
--> $DIR/debug.rs:29:5
|
||||
|
|
||||
|
@ -1004,6 +1010,6 @@ error: fn_abi_of(assoc_test) = FnAbi {
|
|||
LL | fn assoc_test(&self) { }
|
||||
| ^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
error: aborting due to 11 previous errors
|
||||
error: aborting due to 12 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0277`.
|
||||
|
|
|
@ -39,13 +39,17 @@
|
|||
|
||||
// Notably, `should_panic` is a `AttributeType::Normal` attribute that is checked separately.
|
||||
|
||||
#![deny(unused_attributes)]
|
||||
|
||||
struct Foo {
|
||||
#[should_panic::skip]
|
||||
//~^ ERROR failed to resolve
|
||||
//~| ERROR `#[should_panic::skip]` only has an effect on functions
|
||||
pub field: u8,
|
||||
|
||||
#[should_panic::a::b::c]
|
||||
//~^ ERROR failed to resolve
|
||||
//~| ERROR `#[should_panic::a::b::c]` only has an effect on functions
|
||||
pub field2: u8,
|
||||
}
|
||||
|
||||
|
|
|
@ -1,21 +1,39 @@
|
|||
error[E0433]: failed to resolve: use of unresolved module or unlinked crate `should_panic`
|
||||
--> $DIR/check-builtin-attr-ice.rs:43:7
|
||||
--> $DIR/check-builtin-attr-ice.rs:45:7
|
||||
|
|
||||
LL | #[should_panic::skip]
|
||||
| ^^^^^^^^^^^^ use of unresolved module or unlinked crate `should_panic`
|
||||
|
||||
error[E0433]: failed to resolve: use of unresolved module or unlinked crate `should_panic`
|
||||
--> $DIR/check-builtin-attr-ice.rs:47:7
|
||||
--> $DIR/check-builtin-attr-ice.rs:50:7
|
||||
|
|
||||
LL | #[should_panic::a::b::c]
|
||||
| ^^^^^^^^^^^^ use of unresolved module or unlinked crate `should_panic`
|
||||
|
||||
error[E0433]: failed to resolve: use of unresolved module or unlinked crate `deny`
|
||||
--> $DIR/check-builtin-attr-ice.rs:55:7
|
||||
--> $DIR/check-builtin-attr-ice.rs:59:7
|
||||
|
|
||||
LL | #[deny::skip]
|
||||
| ^^^^ use of unresolved module or unlinked crate `deny`
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
error: `#[should_panic::skip]` only has an effect on functions
|
||||
--> $DIR/check-builtin-attr-ice.rs:45:5
|
||||
|
|
||||
LL | #[should_panic::skip]
|
||||
| ^^^^^^^^^^^^^^^^^^^^^
|
||||
|
|
||||
note: the lint level is defined here
|
||||
--> $DIR/check-builtin-attr-ice.rs:42:9
|
||||
|
|
||||
LL | #![deny(unused_attributes)]
|
||||
| ^^^^^^^^^^^^^^^^^
|
||||
|
||||
error: `#[should_panic::a::b::c]` only has an effect on functions
|
||||
--> $DIR/check-builtin-attr-ice.rs:50:5
|
||||
|
|
||||
LL | #[should_panic::a::b::c]
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
error: aborting due to 5 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0433`.
|
||||
|
|
|
@ -10,11 +10,17 @@ note: the lint level is defined here
|
|||
LL | #![cfg_attr(deny, deny(invalid_macro_export_arguments))]
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
error: `not_local_inner_macros` isn't a valid `#[macro_export]` argument
|
||||
error: invalid `#[macro_export]` argument
|
||||
--> $DIR/invalid_macro_export_argument.rs:13:16
|
||||
|
|
||||
LL | #[macro_export(not_local_inner_macros)]
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
error: invalid `#[macro_export]` argument
|
||||
--> $DIR/invalid_macro_export_argument.rs:33:16
|
||||
|
|
||||
LL | #[macro_export("blah")]
|
||||
| ^^^^^^
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
|
||||
|
|
|
@ -11,7 +11,7 @@ macro_rules! a {
|
|||
}
|
||||
|
||||
#[macro_export(not_local_inner_macros)]
|
||||
//[deny]~^ ERROR `not_local_inner_macros` isn't a valid `#[macro_export]` argument
|
||||
//[deny]~^ ERROR invalid `#[macro_export]` argument
|
||||
macro_rules! b {
|
||||
() => ()
|
||||
}
|
||||
|
@ -30,4 +30,10 @@ macro_rules! e {
|
|||
() => ()
|
||||
}
|
||||
|
||||
#[macro_export("blah")]
|
||||
//[deny]~^ ERROR invalid `#[macro_export]` argument
|
||||
macro_rules! f {
|
||||
() => ()
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
@ -38,3 +38,8 @@ fn valid() {}
|
|||
|
||||
#[no_sanitize(address)]
|
||||
static VALID : i32 = 0;
|
||||
|
||||
#[no_sanitize("address")]
|
||||
//~^ ERROR `#[no_sanitize(...)]` should be applied to a function
|
||||
//~| ERROR invalid argument for `no_sanitize`
|
||||
static VALID2 : i32 = 0;
|
||||
|
|
|
@ -59,5 +59,22 @@ LL | #[no_sanitize(address, memory)]
|
|||
LL | static INVALID : i32 = 0;
|
||||
| ------------------------- not a function
|
||||
|
||||
error: aborting due to 7 previous errors
|
||||
error: `#[no_sanitize(...)]` should be applied to a function
|
||||
--> $DIR/no-sanitize.rs:42:15
|
||||
|
|
||||
LL | #[no_sanitize("address")]
|
||||
| ^^^^^^^^^
|
||||
...
|
||||
LL | static VALID2 : i32 = 0;
|
||||
| ------------------------ not a function
|
||||
|
||||
error: invalid argument for `no_sanitize`
|
||||
--> $DIR/no-sanitize.rs:42:15
|
||||
|
|
||||
LL | #[no_sanitize("address")]
|
||||
| ^^^^^^^^^
|
||||
|
|
||||
= note: expected one of: `address`, `cfi`, `hwaddress`, `kcfi`, `memory`, `memtag`, `shadow-call-stack`, or `thread`
|
||||
|
||||
error: aborting due to 9 previous errors
|
||||
|
||||
|
|
|
@ -5,6 +5,7 @@
|
|||
//@ ignore-windows
|
||||
//@ ignore-macos
|
||||
//@ ignore-cross-compile
|
||||
//@ ignore-aix
|
||||
|
||||
//@ compile-flags: -Clink-args=-Wl,-z,text
|
||||
//@ run-pass
|
||||
|
|
|
@ -1,7 +1,9 @@
|
|||
//@ revisions: explicit implicit
|
||||
//@ run-pass
|
||||
#![feature(deref_patterns)]
|
||||
#![allow(incomplete_features)]
|
||||
|
||||
#[cfg(explicit)]
|
||||
fn simple_vec(vec: Vec<u32>) -> u32 {
|
||||
match vec {
|
||||
deref!([]) => 100,
|
||||
|
@ -13,6 +15,19 @@ fn simple_vec(vec: Vec<u32>) -> u32 {
|
|||
}
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
fn simple_vec(vec: Vec<u32>) -> u32 {
|
||||
match vec {
|
||||
[] => 100,
|
||||
[x] if x == 4 => x + 4,
|
||||
[x] => x,
|
||||
[1, x] => x + 200,
|
||||
deref!(ref slice) => slice.iter().sum(),
|
||||
_ => 2000,
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(explicit)]
|
||||
fn nested_vec(vecvec: Vec<Vec<u32>>) -> u32 {
|
||||
match vecvec {
|
||||
deref!([]) => 0,
|
||||
|
@ -24,6 +39,19 @@ fn nested_vec(vecvec: Vec<Vec<u32>>) -> u32 {
|
|||
}
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
fn nested_vec(vecvec: Vec<Vec<u32>>) -> u32 {
|
||||
match vecvec {
|
||||
[] => 0,
|
||||
[[x]] => x,
|
||||
[[0, x] | [1, x]] => x,
|
||||
[ref x] => x.iter().sum(),
|
||||
[[], [1, x, y]] => y - x,
|
||||
_ => 2000,
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(explicit)]
|
||||
fn ref_mut(val: u32) -> u32 {
|
||||
let mut b = Box::new(0u32);
|
||||
match &mut b {
|
||||
|
@ -37,6 +65,21 @@ fn ref_mut(val: u32) -> u32 {
|
|||
*x
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
fn ref_mut(val: u32) -> u32 {
|
||||
let mut b = Box::new((0u32,));
|
||||
match &mut b {
|
||||
(_x,) if false => unreachable!(),
|
||||
(x,) => {
|
||||
*x = val;
|
||||
}
|
||||
_ => unreachable!(),
|
||||
}
|
||||
let (x,) = &b else { unreachable!() };
|
||||
*x
|
||||
}
|
||||
|
||||
#[cfg(explicit)]
|
||||
#[rustfmt::skip]
|
||||
fn or_and_guard(tuple: (u32, u32)) -> u32 {
|
||||
let mut sum = 0;
|
||||
|
@ -48,6 +91,18 @@ fn or_and_guard(tuple: (u32, u32)) -> u32 {
|
|||
sum
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
#[rustfmt::skip]
|
||||
fn or_and_guard(tuple: (u32, u32)) -> u32 {
|
||||
let mut sum = 0;
|
||||
let b = Box::new(tuple);
|
||||
match b {
|
||||
(x, _) | (_, x) if { sum += x; false } => {},
|
||||
_ => {},
|
||||
}
|
||||
sum
|
||||
}
|
||||
|
||||
fn main() {
|
||||
assert_eq!(simple_vec(vec![1]), 1);
|
||||
assert_eq!(simple_vec(vec![1, 2]), 202);
|
||||
|
|
|
@ -1,8 +1,10 @@
|
|||
//@ revisions: explicit implicit
|
||||
//@ run-pass
|
||||
// Test the execution of deref patterns.
|
||||
#![feature(deref_patterns)]
|
||||
#![allow(incomplete_features)]
|
||||
|
||||
#[cfg(explicit)]
|
||||
fn branch(vec: Vec<u32>) -> u32 {
|
||||
match vec {
|
||||
deref!([]) => 0,
|
||||
|
@ -12,6 +14,17 @@ fn branch(vec: Vec<u32>) -> u32 {
|
|||
}
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
fn branch(vec: Vec<u32>) -> u32 {
|
||||
match vec {
|
||||
[] => 0,
|
||||
[1, _, 3] => 1,
|
||||
[2, ..] => 2,
|
||||
_ => 1000,
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(explicit)]
|
||||
fn nested(vec: Vec<Vec<u32>>) -> u32 {
|
||||
match vec {
|
||||
deref!([deref!([]), ..]) => 1,
|
||||
|
@ -20,6 +33,15 @@ fn nested(vec: Vec<Vec<u32>>) -> u32 {
|
|||
}
|
||||
}
|
||||
|
||||
#[cfg(implicit)]
|
||||
fn nested(vec: Vec<Vec<u32>>) -> u32 {
|
||||
match vec {
|
||||
[[], ..] => 1,
|
||||
[[0, ..], [1, ..]] => 2,
|
||||
_ => 1000,
|
||||
}
|
||||
}
|
||||
|
||||
fn main() {
|
||||
assert!(matches!(Vec::<u32>::new(), deref!([])));
|
||||
assert!(matches!(vec![1], deref!([1])));
|
||||
|
|
|
@ -21,4 +21,22 @@ fn cant_move_out_rc(rc: Rc<Struct>) -> Struct {
|
|||
}
|
||||
}
|
||||
|
||||
struct Container(Struct);
|
||||
|
||||
fn cant_move_out_box_implicit(b: Box<Container>) -> Struct {
|
||||
match b {
|
||||
//~^ ERROR: cannot move out of a shared reference
|
||||
Container(x) => x,
|
||||
_ => unreachable!(),
|
||||
}
|
||||
}
|
||||
|
||||
fn cant_move_out_rc_implicit(rc: Rc<Container>) -> Struct {
|
||||
match rc {
|
||||
//~^ ERROR: cannot move out of a shared reference
|
||||
Container(x) => x,
|
||||
_ => unreachable!(),
|
||||
}
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
@ -32,6 +32,40 @@ help: consider borrowing the pattern binding
|
|||
LL | deref!(ref x) => x,
|
||||
| +++
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
error[E0507]: cannot move out of a shared reference
|
||||
--> $DIR/cant_move_out_of_pattern.rs:27:11
|
||||
|
|
||||
LL | match b {
|
||||
| ^
|
||||
LL |
|
||||
LL | Container(x) => x,
|
||||
| -
|
||||
| |
|
||||
| data moved here
|
||||
| move occurs because `x` has type `Struct`, which does not implement the `Copy` trait
|
||||
|
|
||||
help: consider borrowing the pattern binding
|
||||
|
|
||||
LL | Container(ref x) => x,
|
||||
| +++
|
||||
|
||||
error[E0507]: cannot move out of a shared reference
|
||||
--> $DIR/cant_move_out_of_pattern.rs:35:11
|
||||
|
|
||||
LL | match rc {
|
||||
| ^^
|
||||
LL |
|
||||
LL | Container(x) => x,
|
||||
| -
|
||||
| |
|
||||
| data moved here
|
||||
| move occurs because `x` has type `Struct`, which does not implement the `Copy` trait
|
||||
|
|
||||
help: consider borrowing the pattern binding
|
||||
|
|
||||
LL | Container(ref x) => x,
|
||||
| +++
|
||||
|
||||
error: aborting due to 4 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0507`.
|
||||
|
|
|
@ -11,6 +11,15 @@ fn main() {
|
|||
assert_eq!(b.len(), 3);
|
||||
f();
|
||||
|
||||
let v = vec![1, 2, 3];
|
||||
let f = || {
|
||||
// this should count as a borrow of `v` as a whole
|
||||
let [.., x] = v else { unreachable!() };
|
||||
assert_eq!(x, 3);
|
||||
};
|
||||
assert_eq!(v, [1, 2, 3]);
|
||||
f();
|
||||
|
||||
let mut b = Box::new("aaa".to_string());
|
||||
let mut f = || {
|
||||
let deref!(ref mut s) = b else { unreachable!() };
|
||||
|
@ -18,4 +27,22 @@ fn main() {
|
|||
};
|
||||
f();
|
||||
assert_eq!(b.len(), 5);
|
||||
|
||||
let mut v = vec![1, 2, 3];
|
||||
let mut f = || {
|
||||
// this should count as a mutable borrow of `v` as a whole
|
||||
let [.., ref mut x] = v else { unreachable!() };
|
||||
*x = 4;
|
||||
};
|
||||
f();
|
||||
assert_eq!(v, [1, 2, 4]);
|
||||
|
||||
let mut v = vec![1, 2, 3];
|
||||
let mut f = || {
|
||||
// here, `[.., x]` is adjusted by both an overloaded deref and a builtin deref
|
||||
let [.., x] = &mut v else { unreachable!() };
|
||||
*x = 4;
|
||||
};
|
||||
f();
|
||||
assert_eq!(v, [1, 2, 4]);
|
||||
}
|
||||
|
|
|
@ -11,4 +11,11 @@ fn main() {
|
|||
deref!(false) => {}
|
||||
_ => {},
|
||||
}
|
||||
match b {
|
||||
true => {}
|
||||
_ if { *b = true; false } => {}
|
||||
//~^ ERROR cannot assign `*b` in match guard
|
||||
false => {}
|
||||
_ => {},
|
||||
}
|
||||
}
|
||||
|
|
|
@ -7,6 +7,15 @@ LL | deref!(true) => {}
|
|||
LL | _ if { *b = true; false } => {}
|
||||
| ^^^^^^^^^ cannot assign
|
||||
|
||||
error: aborting due to 1 previous error
|
||||
error[E0510]: cannot assign `*b` in match guard
|
||||
--> $DIR/fake_borrows.rs:16:16
|
||||
|
|
||||
LL | match b {
|
||||
| - value is immutable in match guard
|
||||
LL | true => {}
|
||||
LL | _ if { *b = true; false } => {}
|
||||
| ^^^^^^^^^ cannot assign
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0510`.
|
||||
|
|
Some files were not shown because too many files have changed in this diff Show more
Loading…
Add table
Add a link
Reference in a new issue