mirror of
https://github.com/rust-lang/rust.git
synced 2024-11-23 07:14:28 +00:00
Auto merge of #71424 - Dylan-DPC:rollup-iunh61a, r=Dylan-DPC
Rollup of 6 pull requests Successful merges: - #70970 (Detect mistyped associated consts in `Instance::resolve`.) - #71203 (Correct await span for async-await error reporting) - #71214 (Add error code for inner doc error) - #71337 (Moving all rustdoc-ui tests to check-pass) - #71412 (Clarify unused_doc_comments note on macro invocations) - #71414 (More diagnostic items for Clippy usage) Failed merges: r? @ghost
This commit is contained in:
commit
00f677d897
@ -4295,6 +4295,7 @@ version = "0.0.0"
|
||||
dependencies = [
|
||||
"log",
|
||||
"rustc_data_structures",
|
||||
"rustc_errors",
|
||||
"rustc_hir",
|
||||
"rustc_infer",
|
||||
"rustc_middle",
|
||||
|
@ -50,6 +50,7 @@ const MAXIMUM_ZST_CAPACITY: usize = 1 << (64 - 1); // Largest possible power of
|
||||
/// [`pop_front`]: #method.pop_front
|
||||
/// [`extend`]: #method.extend
|
||||
/// [`append`]: #method.append
|
||||
#[cfg_attr(not(test), rustc_diagnostic_item = "vecdeque_type")]
|
||||
#[stable(feature = "rust1", since = "1.0.0")]
|
||||
pub struct VecDeque<T> {
|
||||
// tail and head are pointers into the buffer. Tail always points
|
||||
|
@ -278,6 +278,7 @@ use crate::vec::Vec;
|
||||
/// [`Deref`]: ../../std/ops/trait.Deref.html
|
||||
/// [`as_str()`]: struct.String.html#method.as_str
|
||||
#[derive(PartialOrd, Eq, Ord)]
|
||||
#[cfg_attr(not(test), rustc_diagnostic_item = "string_type")]
|
||||
#[stable(feature = "rust1", since = "1.0.0")]
|
||||
pub struct String {
|
||||
vec: Vec<u8>,
|
||||
|
@ -376,6 +376,7 @@ impl MiscMethods<'tcx> for CodegenCx<'ll, 'tcx> {
|
||||
def_id,
|
||||
tcx.intern_substs(&[]),
|
||||
)
|
||||
.unwrap()
|
||||
.unwrap(),
|
||||
),
|
||||
_ => {
|
||||
|
@ -465,6 +465,7 @@ pub fn maybe_create_entry_wrapper<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>>(
|
||||
start_def_id,
|
||||
cx.tcx().intern_substs(&[main_ret_ty.into()]),
|
||||
)
|
||||
.unwrap()
|
||||
.unwrap(),
|
||||
);
|
||||
(
|
||||
|
@ -537,6 +537,7 @@ impl<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>> FunctionCx<'a, 'tcx, Bx> {
|
||||
ty::FnDef(def_id, substs) => (
|
||||
Some(
|
||||
ty::Instance::resolve(bx.tcx(), ty::ParamEnv::reveal_all(), def_id, substs)
|
||||
.unwrap()
|
||||
.unwrap(),
|
||||
),
|
||||
None,
|
||||
|
@ -432,6 +432,7 @@ E0749: include_str!("./error_codes/E0749.md"),
|
||||
E0750: include_str!("./error_codes/E0750.md"),
|
||||
E0751: include_str!("./error_codes/E0751.md"),
|
||||
E0752: include_str!("./error_codes/E0752.md"),
|
||||
E0753: include_str!("./error_codes/E0753.md"),
|
||||
;
|
||||
// E0006, // merged with E0005
|
||||
// E0008, // cannot bind by-move into a pattern guard
|
||||
|
31
src/librustc_error_codes/error_codes/E0753.md
Normal file
31
src/librustc_error_codes/error_codes/E0753.md
Normal file
@ -0,0 +1,31 @@
|
||||
An inner doc comment was used in an invalid context.
|
||||
|
||||
Erroneous code example:
|
||||
|
||||
```compile_fail,E0753
|
||||
fn foo() {}
|
||||
//! foo
|
||||
// ^ error!
|
||||
fn main() {}
|
||||
```
|
||||
|
||||
Inner document can only be used before items. For example:
|
||||
|
||||
```
|
||||
//! A working comment applied to the module!
|
||||
fn foo() {
|
||||
//! Another working comment!
|
||||
}
|
||||
fn main() {}
|
||||
```
|
||||
|
||||
In case you want to document the item following the doc comment, you might want
|
||||
to use outer doc comment:
|
||||
|
||||
```
|
||||
/// I am an outer doc comment
|
||||
#[doc = "I am also an outer doc comment!"]
|
||||
fn foo() {
|
||||
// ...
|
||||
}
|
||||
```
|
@ -566,7 +566,7 @@ pub trait LintContext: Sized {
|
||||
stability::deprecation_suggestion(&mut db, suggestion, span)
|
||||
}
|
||||
BuiltinLintDiagnostics::UnusedDocComment(span) => {
|
||||
db.span_label(span, "rustdoc does not generate documentation for macros");
|
||||
db.span_label(span, "rustdoc does not generate documentation for macro invocations");
|
||||
db.help("to document an item produced by a macro, \
|
||||
the macro must produce the documentation as part of its expansion");
|
||||
}
|
||||
|
@ -39,12 +39,13 @@ impl<'tcx> TyCtxt<'tcx> {
|
||||
promoted: Option<mir::Promoted>,
|
||||
span: Option<Span>,
|
||||
) -> ConstEvalResult<'tcx> {
|
||||
let instance = ty::Instance::resolve(self, param_env, def_id, substs);
|
||||
if let Some(instance) = instance {
|
||||
let cid = GlobalId { instance, promoted };
|
||||
self.const_eval_global_id(param_env, cid, span)
|
||||
} else {
|
||||
Err(ErrorHandled::TooGeneric)
|
||||
match ty::Instance::resolve(self, param_env, def_id, substs) {
|
||||
Ok(Some(instance)) => {
|
||||
let cid = GlobalId { instance, promoted };
|
||||
self.const_eval_global_id(param_env, cid, span)
|
||||
}
|
||||
Ok(None) => Err(ErrorHandled::TooGeneric),
|
||||
Err(error_reported) => Err(ErrorHandled::Reported(error_reported)),
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -679,7 +679,7 @@ rustc_queries! {
|
||||
Codegen {
|
||||
query codegen_fulfill_obligation(
|
||||
key: (ty::ParamEnv<'tcx>, ty::PolyTraitRef<'tcx>)
|
||||
) -> Option<Vtable<'tcx, ()>> {
|
||||
) -> Result<Vtable<'tcx, ()>, ErrorReported> {
|
||||
cache_on_disk_if { true }
|
||||
desc { |tcx|
|
||||
"checking if `{}` fulfills its obligations",
|
||||
@ -1258,8 +1258,19 @@ rustc_queries! {
|
||||
desc { "looking up enabled feature gates" }
|
||||
}
|
||||
|
||||
query resolve_instance(key: (ty::ParamEnv<'tcx>, DefId, SubstsRef<'tcx>)) -> Option<ty::Instance<'tcx>> {
|
||||
desc { "resolving instance `{:?}` `{:?}` with {:?}", key.1, key.2, key.0 }
|
||||
/// Attempt to resolve the given `DefId` to an `Instance`, for the
|
||||
/// given generics args (`SubstsRef`), returning one of:
|
||||
/// * `Ok(Some(instance))` on success
|
||||
/// * `Ok(None)` when the `SubstsRef` are still too generic,
|
||||
/// and therefore don't allow finding the final `Instance`
|
||||
/// * `Err(ErrorReported)` when the `Instance` resolution process
|
||||
/// couldn't complete due to errors elsewhere - this is distinct
|
||||
/// from `Ok(None)` to avoid misleading diagnostics when an error
|
||||
/// has already been/will be emitted, for the original cause
|
||||
query resolve_instance(
|
||||
key: ty::ParamEnvAnd<'tcx, (DefId, SubstsRef<'tcx>)>
|
||||
) -> Result<Option<ty::Instance<'tcx>>, ErrorReported> {
|
||||
desc { "resolving instance `{}`", ty::Instance::new(key.value.0, key.value.1) }
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -298,14 +298,14 @@ pub struct ResolvedOpaqueTy<'tcx> {
|
||||
///
|
||||
/// ```ignore (pseudo-Rust)
|
||||
/// async move {
|
||||
/// let x: T = ...;
|
||||
/// let x: T = expr;
|
||||
/// foo.await
|
||||
/// ...
|
||||
/// }
|
||||
/// ```
|
||||
///
|
||||
/// Here, we would store the type `T`, the span of the value `x`, and the "scope-span" for
|
||||
/// the scope that contains `x`.
|
||||
/// Here, we would store the type `T`, the span of the value `x`, the "scope-span" for
|
||||
/// the scope that contains `x`, the expr `T` evaluated from, and the span of `foo.await`.
|
||||
#[derive(RustcEncodable, RustcDecodable, Clone, Debug, Eq, Hash, PartialEq, HashStable)]
|
||||
pub struct GeneratorInteriorTypeCause<'tcx> {
|
||||
/// Type of the captured binding.
|
||||
@ -314,6 +314,8 @@ pub struct GeneratorInteriorTypeCause<'tcx> {
|
||||
pub span: Span,
|
||||
/// Span of the scope of the captured binding.
|
||||
pub scope_span: Option<Span>,
|
||||
/// Span of `.await` or `yield` expression.
|
||||
pub yield_span: Span,
|
||||
/// Expr which the type evaluated from.
|
||||
pub expr: Option<hir::HirId>,
|
||||
}
|
||||
|
@ -1,6 +1,7 @@
|
||||
use crate::middle::codegen_fn_attrs::CodegenFnAttrFlags;
|
||||
use crate::ty::print::{FmtPrinter, Printer};
|
||||
use crate::ty::{self, SubstsRef, Ty, TyCtxt, TypeFoldable};
|
||||
use rustc_errors::ErrorReported;
|
||||
use rustc_hir::def::Namespace;
|
||||
use rustc_hir::def_id::{CrateNum, DefId};
|
||||
use rustc_hir::lang_items::DropInPlaceFnLangItem;
|
||||
@ -268,29 +269,41 @@ impl<'tcx> Instance<'tcx> {
|
||||
/// this is used to find the precise code that will run for a trait method invocation,
|
||||
/// if known.
|
||||
///
|
||||
/// Returns `None` if we cannot resolve `Instance` to a specific instance.
|
||||
/// Returns `Ok(None)` if we cannot resolve `Instance` to a specific instance.
|
||||
/// For example, in a context like this,
|
||||
///
|
||||
/// ```
|
||||
/// fn foo<T: Debug>(t: T) { ... }
|
||||
/// ```
|
||||
///
|
||||
/// trying to resolve `Debug::fmt` applied to `T` will yield `None`, because we do not
|
||||
/// trying to resolve `Debug::fmt` applied to `T` will yield `Ok(None)`, because we do not
|
||||
/// know what code ought to run. (Note that this setting is also affected by the
|
||||
/// `RevealMode` in the parameter environment.)
|
||||
///
|
||||
/// Presuming that coherence and type-check have succeeded, if this method is invoked
|
||||
/// in a monomorphic context (i.e., like during codegen), then it is guaranteed to return
|
||||
/// `Some`.
|
||||
/// `Ok(Some(instance))`.
|
||||
///
|
||||
/// Returns `Err(ErrorReported)` when the `Instance` resolution process
|
||||
/// couldn't complete due to errors elsewhere - this is distinct
|
||||
/// from `Ok(None)` to avoid misleading diagnostics when an error
|
||||
/// has already been/will be emitted, for the original cause
|
||||
pub fn resolve(
|
||||
tcx: TyCtxt<'tcx>,
|
||||
param_env: ty::ParamEnv<'tcx>,
|
||||
def_id: DefId,
|
||||
substs: SubstsRef<'tcx>,
|
||||
) -> Option<Instance<'tcx>> {
|
||||
) -> Result<Option<Instance<'tcx>>, ErrorReported> {
|
||||
// All regions in the result of this query are erased, so it's
|
||||
// fine to erase all of the input regions.
|
||||
tcx.resolve_instance((tcx.erase_regions(¶m_env), def_id, tcx.erase_regions(&substs)))
|
||||
|
||||
// HACK(eddyb) erase regions in `substs` first, so that `param_env.and(...)`
|
||||
// below is more likely to ignore the bounds in scope (e.g. if the only
|
||||
// generic parameters mentioned by `substs` were lifetime ones).
|
||||
let substs = tcx.erase_regions(&substs);
|
||||
|
||||
// FIXME(eddyb) should this always use `param_env.with_reveal_all()`?
|
||||
tcx.resolve_instance(tcx.erase_regions(¶m_env.and((def_id, substs))))
|
||||
}
|
||||
|
||||
pub fn resolve_for_fn_ptr(
|
||||
@ -300,7 +313,7 @@ impl<'tcx> Instance<'tcx> {
|
||||
substs: SubstsRef<'tcx>,
|
||||
) -> Option<Instance<'tcx>> {
|
||||
debug!("resolve(def_id={:?}, substs={:?})", def_id, substs);
|
||||
Instance::resolve(tcx, param_env, def_id, substs).map(|mut resolved| {
|
||||
Instance::resolve(tcx, param_env, def_id, substs).ok().flatten().map(|mut resolved| {
|
||||
match resolved.def {
|
||||
InstanceDef::Item(def_id) if resolved.def.requires_caller_location(tcx) => {
|
||||
debug!(" => fn pointer created for function with #[track_caller]");
|
||||
@ -332,7 +345,7 @@ impl<'tcx> Instance<'tcx> {
|
||||
debug!(" => associated item with unsizeable self: Self");
|
||||
Some(Instance { def: InstanceDef::VtableShim(def_id), substs })
|
||||
} else {
|
||||
Instance::resolve(tcx, param_env, def_id, substs)
|
||||
Instance::resolve(tcx, param_env, def_id, substs).ok().flatten()
|
||||
}
|
||||
}
|
||||
|
||||
@ -353,7 +366,7 @@ impl<'tcx> Instance<'tcx> {
|
||||
pub fn resolve_drop_in_place(tcx: TyCtxt<'tcx>, ty: Ty<'tcx>) -> ty::Instance<'tcx> {
|
||||
let def_id = tcx.require_lang_item(DropInPlaceFnLangItem, None);
|
||||
let substs = tcx.intern_substs(&[ty.into()]);
|
||||
Instance::resolve(tcx, ty::ParamEnv::reveal_all(), def_id, substs).unwrap()
|
||||
Instance::resolve(tcx, ty::ParamEnv::reveal_all(), def_id, substs).unwrap().unwrap()
|
||||
}
|
||||
|
||||
pub fn fn_once_adapter_instance(
|
||||
|
@ -296,14 +296,3 @@ impl Key for (Symbol, u32, u32) {
|
||||
DUMMY_SP
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> Key for (ty::ParamEnv<'tcx>, DefId, SubstsRef<'tcx>) {
|
||||
type CacheSelector = DefaultCacheSelector;
|
||||
|
||||
fn query_crate(&self) -> CrateNum {
|
||||
self.1.krate
|
||||
}
|
||||
fn default_span(&self, tcx: TyCtxt<'_>) -> Span {
|
||||
tcx.def_span(self.1)
|
||||
}
|
||||
}
|
||||
|
@ -461,8 +461,13 @@ impl<'mir, 'tcx: 'mir, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
|
||||
trace!("resolve: {:?}, {:#?}", def_id, substs);
|
||||
trace!("param_env: {:#?}", self.param_env);
|
||||
trace!("substs: {:#?}", substs);
|
||||
ty::Instance::resolve(*self.tcx, self.param_env, def_id, substs)
|
||||
.ok_or_else(|| err_inval!(TooGeneric).into())
|
||||
match ty::Instance::resolve(*self.tcx, self.param_env, def_id, substs) {
|
||||
Ok(Some(instance)) => Ok(instance),
|
||||
Ok(None) => throw_inval!(TooGeneric),
|
||||
|
||||
// FIXME(eddyb) this could be a bit more specific than `TypeckError`.
|
||||
Err(error_reported) => throw_inval!(TypeckError(error_reported)),
|
||||
}
|
||||
}
|
||||
|
||||
pub fn layout_of_local(
|
||||
|
@ -674,9 +674,12 @@ fn visit_fn_use<'tcx>(
|
||||
output: &mut Vec<MonoItem<'tcx>>,
|
||||
) {
|
||||
if let ty::FnDef(def_id, substs) = ty.kind {
|
||||
let resolver =
|
||||
if is_direct_call { ty::Instance::resolve } else { ty::Instance::resolve_for_fn_ptr };
|
||||
let instance = resolver(tcx, ty::ParamEnv::reveal_all(), def_id, substs).unwrap();
|
||||
let instance = if is_direct_call {
|
||||
ty::Instance::resolve(tcx, ty::ParamEnv::reveal_all(), def_id, substs).unwrap().unwrap()
|
||||
} else {
|
||||
ty::Instance::resolve_for_fn_ptr(tcx, ty::ParamEnv::reveal_all(), def_id, substs)
|
||||
.unwrap()
|
||||
};
|
||||
visit_instance_use(tcx, instance, is_direct_call, output);
|
||||
}
|
||||
}
|
||||
@ -1056,6 +1059,7 @@ impl RootCollector<'_, 'v> {
|
||||
start_def_id,
|
||||
self.tcx.intern_substs(&[main_ret_ty.into()]),
|
||||
)
|
||||
.unwrap()
|
||||
.unwrap();
|
||||
|
||||
self.output.push(create_fn_mono_item(start_instance));
|
||||
@ -1111,8 +1115,9 @@ fn create_mono_items_for_default_impls<'tcx>(
|
||||
trait_ref.substs[param.index as usize]
|
||||
}
|
||||
});
|
||||
let instance =
|
||||
ty::Instance::resolve(tcx, param_env, method.def_id, substs).unwrap();
|
||||
let instance = ty::Instance::resolve(tcx, param_env, method.def_id, substs)
|
||||
.unwrap()
|
||||
.unwrap();
|
||||
|
||||
let mono_item = create_fn_mono_item(instance);
|
||||
if mono_item.is_instantiable(tcx) && should_monomorphize_locally(tcx, &instance)
|
||||
|
@ -18,7 +18,7 @@ pub fn custom_coerce_unsize_info<'tcx>(
|
||||
});
|
||||
|
||||
match tcx.codegen_fulfill_obligation((ty::ParamEnv::reveal_all(), trait_ref)) {
|
||||
Some(traits::VtableImpl(traits::VtableImplData { impl_def_id, .. })) => {
|
||||
Ok(traits::VtableImpl(traits::VtableImplData { impl_def_id, .. })) => {
|
||||
tcx.coerce_unsized_info(impl_def_id).custom_kind.unwrap()
|
||||
}
|
||||
vtable => {
|
||||
|
@ -522,7 +522,7 @@ impl Visitor<'tcx> for Validator<'_, 'mir, 'tcx> {
|
||||
if self.tcx.features().const_trait_impl {
|
||||
let instance = Instance::resolve(self.tcx, self.param_env, def_id, substs);
|
||||
debug!("Resolving ({:?}) -> {:?}", def_id, instance);
|
||||
if let Some(func) = instance {
|
||||
if let Ok(Some(func)) = instance {
|
||||
if let InstanceDef::Item(def_id) = func.def {
|
||||
if is_const_fn(self.tcx, def_id) {
|
||||
return;
|
||||
|
@ -176,7 +176,8 @@ impl Inliner<'tcx> {
|
||||
let terminator = bb_data.terminator();
|
||||
if let TerminatorKind::Call { func: ref op, .. } = terminator.kind {
|
||||
if let ty::FnDef(callee_def_id, substs) = op.ty(caller_body, self.tcx).kind {
|
||||
let instance = Instance::resolve(self.tcx, param_env, callee_def_id, substs)?;
|
||||
let instance =
|
||||
Instance::resolve(self.tcx, param_env, callee_def_id, substs).ok().flatten()?;
|
||||
|
||||
if let InstanceDef::Virtual(..) = instance.def {
|
||||
return None;
|
||||
|
@ -72,7 +72,7 @@ impl<'mir, 'tcx> Search<'mir, 'tcx> {
|
||||
let func_ty = func.ty(body, tcx);
|
||||
if let ty::FnDef(fn_def_id, substs) = func_ty.kind {
|
||||
let (call_fn_id, call_substs) =
|
||||
if let Some(instance) = Instance::resolve(tcx, param_env, fn_def_id, substs) {
|
||||
if let Ok(Some(instance)) = Instance::resolve(tcx, param_env, fn_def_id, substs) {
|
||||
(instance.def_id(), instance.substs)
|
||||
} else {
|
||||
(fn_def_id, substs)
|
||||
|
@ -4,7 +4,7 @@ use rustc_ast::attr;
|
||||
use rustc_ast::token::{self, Nonterminal};
|
||||
use rustc_ast::util::comments;
|
||||
use rustc_ast_pretty::pprust;
|
||||
use rustc_errors::PResult;
|
||||
use rustc_errors::{error_code, PResult};
|
||||
use rustc_span::{Span, Symbol};
|
||||
|
||||
use log::debug;
|
||||
@ -50,10 +50,16 @@ impl<'a> Parser<'a> {
|
||||
} else if let token::DocComment(s) = self.token.kind {
|
||||
let attr = self.mk_doc_comment(s);
|
||||
if attr.style != ast::AttrStyle::Outer {
|
||||
self.struct_span_err(self.token.span, "expected outer doc comment")
|
||||
self.sess
|
||||
.span_diagnostic
|
||||
.struct_span_err_with_code(
|
||||
self.token.span,
|
||||
"expected outer doc comment",
|
||||
error_code!(E0753),
|
||||
)
|
||||
.note(
|
||||
"inner doc comments like this (starting with \
|
||||
`//!` or `/*!`) can only appear before items",
|
||||
`//!` or `/*!`) can only appear before items",
|
||||
)
|
||||
.emit();
|
||||
}
|
||||
|
@ -7,6 +7,7 @@ use crate::infer::{InferCtxt, TyCtxtInferExt};
|
||||
use crate::traits::{
|
||||
FulfillmentContext, Obligation, ObligationCause, SelectionContext, TraitEngine, Vtable,
|
||||
};
|
||||
use rustc_errors::ErrorReported;
|
||||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::{self, TyCtxt};
|
||||
|
||||
@ -19,7 +20,7 @@ use rustc_middle::ty::{self, TyCtxt};
|
||||
pub fn codegen_fulfill_obligation<'tcx>(
|
||||
ty: TyCtxt<'tcx>,
|
||||
(param_env, trait_ref): (ty::ParamEnv<'tcx>, ty::PolyTraitRef<'tcx>),
|
||||
) -> Option<Vtable<'tcx, ()>> {
|
||||
) -> Result<Vtable<'tcx, ()>, ErrorReported> {
|
||||
// Remove any references to regions; this helps improve caching.
|
||||
let trait_ref = ty.erase_regions(&trait_ref);
|
||||
|
||||
@ -55,7 +56,7 @@ pub fn codegen_fulfill_obligation<'tcx>(
|
||||
trait_ref
|
||||
),
|
||||
);
|
||||
return None;
|
||||
return Err(ErrorReported);
|
||||
}
|
||||
Err(e) => {
|
||||
bug!("Encountered error `{:?}` selecting `{:?}` during codegen", e, trait_ref)
|
||||
@ -75,7 +76,7 @@ pub fn codegen_fulfill_obligation<'tcx>(
|
||||
let vtable = drain_fulfillment_cx_or_panic(&infcx, &mut fulfill_cx, &vtable);
|
||||
|
||||
info!("Cache miss: {:?} => {:?}", trait_ref, vtable);
|
||||
Some(vtable)
|
||||
Ok(vtable)
|
||||
})
|
||||
}
|
||||
|
||||
|
@ -125,6 +125,7 @@ pub trait InferCtxtExt<'tcx> {
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
target_span: Span,
|
||||
scope_span: &Option<Span>,
|
||||
await_span: Span,
|
||||
expr: Option<hir::HirId>,
|
||||
snippet: String,
|
||||
inner_generator_body: Option<&hir::Body<'_>>,
|
||||
@ -1289,8 +1290,16 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
||||
ty_matches(ty)
|
||||
})
|
||||
.map(|expr| expr.span);
|
||||
let ty::GeneratorInteriorTypeCause { span, scope_span, expr, .. } = cause;
|
||||
(span, source_map.span_to_snippet(*span), scope_span, expr, from_awaited_ty)
|
||||
let ty::GeneratorInteriorTypeCause { span, scope_span, yield_span, expr, .. } =
|
||||
cause;
|
||||
(
|
||||
span,
|
||||
source_map.span_to_snippet(*span),
|
||||
scope_span,
|
||||
yield_span,
|
||||
expr,
|
||||
from_awaited_ty,
|
||||
)
|
||||
});
|
||||
|
||||
debug!(
|
||||
@ -1298,11 +1307,14 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
||||
generator_interior_types={:?} target_span={:?}",
|
||||
target_ty, tables.generator_interior_types, target_span
|
||||
);
|
||||
if let Some((target_span, Ok(snippet), scope_span, expr, from_awaited_ty)) = target_span {
|
||||
if let Some((target_span, Ok(snippet), scope_span, yield_span, expr, from_awaited_ty)) =
|
||||
target_span
|
||||
{
|
||||
self.note_obligation_cause_for_async_await(
|
||||
err,
|
||||
*target_span,
|
||||
scope_span,
|
||||
*yield_span,
|
||||
*expr,
|
||||
snippet,
|
||||
generator_body,
|
||||
@ -1327,6 +1339,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
target_span: Span,
|
||||
scope_span: &Option<Span>,
|
||||
yield_span: Span,
|
||||
expr: Option<hir::HirId>,
|
||||
snippet: String,
|
||||
inner_generator_body: Option<&hir::Body<'_>>,
|
||||
@ -1418,10 +1431,9 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
||||
"note_obligation_cause_for_async_await generator_interior_types: {:#?}",
|
||||
tables.generator_interior_types
|
||||
);
|
||||
let await_span = tables.generator_interior_types.iter().map(|t| t.span).last().unwrap();
|
||||
let mut span = MultiSpan::from_span(await_span);
|
||||
let mut span = MultiSpan::from_span(yield_span);
|
||||
span.push_span_label(
|
||||
await_span,
|
||||
yield_span,
|
||||
format!("{} occurs here, with `{}` maybe used later", await_or_yield, snippet),
|
||||
);
|
||||
|
||||
|
@ -12,6 +12,7 @@ path = "lib.rs"
|
||||
log = "0.4"
|
||||
rustc_middle = { path = "../librustc_middle" }
|
||||
rustc_data_structures = { path = "../librustc_data_structures" }
|
||||
rustc_errors = { path = "../librustc_errors" }
|
||||
rustc_hir = { path = "../librustc_hir" }
|
||||
rustc_infer = { path = "../librustc_infer" }
|
||||
rustc_span = { path = "../librustc_span" }
|
||||
|
@ -1,3 +1,4 @@
|
||||
use rustc_errors::ErrorReported;
|
||||
use rustc_hir::def_id::DefId;
|
||||
use rustc_infer::infer::TyCtxtInferExt;
|
||||
use rustc_middle::ty::subst::SubstsRef;
|
||||
@ -9,10 +10,12 @@ use traits::{translate_substs, Reveal};
|
||||
|
||||
use log::debug;
|
||||
|
||||
pub fn resolve_instance<'tcx>(
|
||||
fn resolve_instance<'tcx>(
|
||||
tcx: TyCtxt<'tcx>,
|
||||
(param_env, def_id, substs): (ty::ParamEnv<'tcx>, DefId, SubstsRef<'tcx>),
|
||||
) -> Option<Instance<'tcx>> {
|
||||
key: ty::ParamEnvAnd<'tcx, (DefId, SubstsRef<'tcx>)>,
|
||||
) -> Result<Option<Instance<'tcx>>, ErrorReported> {
|
||||
let (param_env, (def_id, substs)) = key.into_parts();
|
||||
|
||||
debug!("resolve(def_id={:?}, substs={:?})", def_id, substs);
|
||||
let result = if let Some(trait_def_id) = tcx.trait_of_item(def_id) {
|
||||
debug!(" => associated item, attempting to find impl in param_env {:#?}", param_env);
|
||||
@ -38,7 +41,7 @@ pub fn resolve_instance<'tcx>(
|
||||
if ty.needs_drop(tcx, param_env) {
|
||||
// `DropGlue` requires a monomorphic aka concrete type.
|
||||
if ty.needs_subst() {
|
||||
return None;
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
debug!(" => nontrivial drop glue");
|
||||
@ -53,7 +56,7 @@ pub fn resolve_instance<'tcx>(
|
||||
ty::InstanceDef::Item(def_id)
|
||||
}
|
||||
};
|
||||
Some(Instance { def, substs })
|
||||
Ok(Some(Instance { def, substs }))
|
||||
};
|
||||
debug!("resolve(def_id={:?}, substs={:?}) = {:?}", def_id, substs, result);
|
||||
result
|
||||
@ -65,7 +68,7 @@ fn resolve_associated_item<'tcx>(
|
||||
param_env: ty::ParamEnv<'tcx>,
|
||||
trait_id: DefId,
|
||||
rcvr_substs: SubstsRef<'tcx>,
|
||||
) -> Option<Instance<'tcx>> {
|
||||
) -> Result<Option<Instance<'tcx>>, ErrorReported> {
|
||||
let def_id = trait_item.def_id;
|
||||
debug!(
|
||||
"resolve_associated_item(trait_item={:?}, \
|
||||
@ -80,7 +83,7 @@ fn resolve_associated_item<'tcx>(
|
||||
|
||||
// Now that we know which impl is being used, we can dispatch to
|
||||
// the actual function:
|
||||
match vtbl {
|
||||
Ok(match vtbl {
|
||||
traits::VtableImpl(impl_data) => {
|
||||
debug!(
|
||||
"resolving VtableImpl: {:?}, {:?}, {:?}, {:?}",
|
||||
@ -92,13 +95,11 @@ fn resolve_associated_item<'tcx>(
|
||||
let trait_def_id = tcx.trait_id_of_impl(impl_data.impl_def_id).unwrap();
|
||||
let trait_def = tcx.trait_def(trait_def_id);
|
||||
let leaf_def = trait_def
|
||||
.ancestors(tcx, impl_data.impl_def_id)
|
||||
.ok()?
|
||||
.ancestors(tcx, impl_data.impl_def_id)?
|
||||
.leaf_def(tcx, trait_item.ident, trait_item.kind)
|
||||
.unwrap_or_else(|| {
|
||||
bug!("{:?} not found in {:?}", trait_item, impl_data.impl_def_id);
|
||||
});
|
||||
let def_id = leaf_def.item.def_id;
|
||||
|
||||
let substs = tcx.infer_ctxt().enter(|infcx| {
|
||||
let param_env = param_env.with_reveal_all();
|
||||
@ -133,11 +134,52 @@ fn resolve_associated_item<'tcx>(
|
||||
};
|
||||
|
||||
if !eligible {
|
||||
return None;
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
let substs = tcx.erase_regions(&substs);
|
||||
Some(ty::Instance::new(def_id, substs))
|
||||
|
||||
// Check if we just resolved an associated `const` declaration from
|
||||
// a `trait` to an associated `const` definition in an `impl`, where
|
||||
// the definition in the `impl` has the wrong type (for which an
|
||||
// error has already been/will be emitted elsewhere).
|
||||
//
|
||||
// NB: this may be expensive, we try to skip it in all the cases where
|
||||
// we know the error would've been caught (e.g. in an upstream crate).
|
||||
//
|
||||
// A better approach might be to just introduce a query (returning
|
||||
// `Result<(), ErrorReported>`) for the check that `rustc_typeck`
|
||||
// performs (i.e. that the definition's type in the `impl` matches
|
||||
// the declaration in the `trait`), so that we can cheaply check
|
||||
// here if it failed, instead of approximating it.
|
||||
if trait_item.kind == ty::AssocKind::Const
|
||||
&& trait_item.def_id != leaf_def.item.def_id
|
||||
&& leaf_def.item.def_id.is_local()
|
||||
{
|
||||
let normalized_type_of = |def_id, substs| {
|
||||
tcx.subst_and_normalize_erasing_regions(substs, param_env, &tcx.type_of(def_id))
|
||||
};
|
||||
|
||||
let original_ty = normalized_type_of(trait_item.def_id, rcvr_substs);
|
||||
let resolved_ty = normalized_type_of(leaf_def.item.def_id, substs);
|
||||
|
||||
if original_ty != resolved_ty {
|
||||
let msg = format!(
|
||||
"Instance::resolve: inconsistent associated `const` type: \
|
||||
was `{}: {}` but resolved to `{}: {}`",
|
||||
tcx.def_path_str_with_substs(trait_item.def_id, rcvr_substs),
|
||||
original_ty,
|
||||
tcx.def_path_str_with_substs(leaf_def.item.def_id, substs),
|
||||
resolved_ty,
|
||||
);
|
||||
let span = tcx.def_span(leaf_def.item.def_id);
|
||||
tcx.sess.delay_span_bug(span, &msg);
|
||||
|
||||
return Err(ErrorReported);
|
||||
}
|
||||
}
|
||||
|
||||
Some(ty::Instance::new(leaf_def.item.def_id, substs))
|
||||
}
|
||||
traits::VtableGenerator(generator_data) => Some(Instance {
|
||||
def: ty::InstanceDef::Item(generator_data.generator_def_id),
|
||||
@ -155,7 +197,7 @@ fn resolve_associated_item<'tcx>(
|
||||
traits::VtableFnPointer(ref data) => {
|
||||
// `FnPtrShim` requires a monomorphic aka concrete type.
|
||||
if data.fn_ty.needs_subst() {
|
||||
return None;
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
Some(Instance {
|
||||
@ -176,7 +218,7 @@ fn resolve_associated_item<'tcx>(
|
||||
|
||||
// `CloneShim` requires a monomorphic aka concrete type.
|
||||
if self_ty.needs_subst() {
|
||||
return None;
|
||||
return Ok(None);
|
||||
}
|
||||
|
||||
Some(Instance {
|
||||
@ -195,7 +237,7 @@ fn resolve_associated_item<'tcx>(
|
||||
}
|
||||
}
|
||||
traits::VtableAutoImpl(..) | traits::VtableParam(..) | traits::VtableTraitAlias(..) => None,
|
||||
}
|
||||
})
|
||||
}
|
||||
|
||||
pub fn provide(providers: &mut ty::query::Providers<'_>) {
|
||||
|
@ -96,6 +96,7 @@ impl<'a, 'tcx> InteriorVisitor<'a, 'tcx> {
|
||||
span: source_span,
|
||||
ty: &ty,
|
||||
scope_span,
|
||||
yield_span: yield_data.span,
|
||||
expr: expr.map(|e| e.hir_id),
|
||||
})
|
||||
.or_insert(entries);
|
||||
|
@ -198,6 +198,7 @@ use crate::sys;
|
||||
/// ```
|
||||
|
||||
#[derive(Clone)]
|
||||
#[cfg_attr(not(test), rustc_diagnostic_item = "hashmap_type")]
|
||||
#[stable(feature = "rust1", since = "1.0.0")]
|
||||
pub struct HashMap<K, V, S = RandomState> {
|
||||
base: base::HashMap<K, V, S>,
|
||||
|
@ -105,6 +105,7 @@ use super::map::{self, HashMap, Keys, RandomState};
|
||||
/// [`PartialEq`]: ../../std/cmp/trait.PartialEq.html
|
||||
/// [`RefCell`]: ../../std/cell/struct.RefCell.html
|
||||
#[derive(Clone)]
|
||||
#[cfg_attr(not(test), rustc_diagnostic_item = "hashset_type")]
|
||||
#[stable(feature = "rust1", since = "1.0.0")]
|
||||
pub struct HashSet<T, S = RandomState> {
|
||||
map: HashMap<T, (), S>,
|
||||
|
@ -108,6 +108,7 @@ use crate::sys_common::poison::{self, LockResult, TryLockError, TryLockResult};
|
||||
/// *guard += 1;
|
||||
/// ```
|
||||
#[stable(feature = "rust1", since = "1.0.0")]
|
||||
#[cfg_attr(not(test), rustc_diagnostic_item = "mutex_type")]
|
||||
pub struct Mutex<T: ?Sized> {
|
||||
// Note that this mutex is in a *box*, not inlined into the struct itself.
|
||||
// Once a native mutex has been used once, its address can never change (it
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
// compile-flags:--test --test-args --test-threads=1
|
||||
// normalize-stdout-test: "src/test/rustdoc-ui" -> "$$DIR"
|
||||
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![feature(extern_types)]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
// an empty crate still has one item to document: the crate root
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
//! (remember the crate root is still a module)
|
||||
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![feature(doc_keyword)]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass
|
||||
// check-pass
|
||||
// compile-flags:-Z unstable-options --output-format json --show-coverage
|
||||
|
||||
pub mod foo {
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage --document-private-items
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![allow(unused)]
|
||||
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
//! gotta make sure we can count statics and consts correctly, too
|
||||
|
||||
|
@ -1,5 +1,5 @@
|
||||
// compile-flags:-Z unstable-options --show-coverage
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![feature(trait_alias)]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![doc(no_default_passes, passes = "collapse-docs unindent-comments")]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass
|
||||
// check-pass
|
||||
// compile-flags:--test
|
||||
// normalize-stdout-test: "src/test/rustdoc-ui" -> "$$DIR"
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass
|
||||
// check-pass
|
||||
// compile-flags:--test
|
||||
// normalize-stdout-test: "src/test/rustdoc-ui" -> "$$DIR"
|
||||
|
||||
|
@ -1,5 +1,5 @@
|
||||
// ignore-tidy-cr
|
||||
// build-pass
|
||||
// check-pass
|
||||
|
||||
// This file checks the spans of intra-link warnings in a file with CRLF line endings. The
|
||||
// .gitattributes file in this directory should enforce it.
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass
|
||||
// check-pass
|
||||
|
||||
//! Test with [Foo::baz], [Bar::foo], ...
|
||||
//~^ WARNING `[Foo::baz]` cannot be resolved
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass
|
||||
// check-pass
|
||||
|
||||
/// ```
|
||||
/// \__________pkt->size___________/ \_result->size_/ \__pkt->size__/
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
#![deny(private_doc_tests)]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
pub trait Foo {
|
||||
/**
|
||||
|
@ -1,6 +1,6 @@
|
||||
// compile-flags:--test
|
||||
// normalize-stdout-test: "src/test/rustdoc-ui" -> "$$DIR"
|
||||
// build-pass
|
||||
// check-pass
|
||||
|
||||
#![no_std]
|
||||
|
||||
|
@ -1,4 +1,4 @@
|
||||
// build-pass (FIXME(62277): could be check-pass?)
|
||||
// check-pass
|
||||
|
||||
// This test purpose is to check that unused_imports lint isn't fired
|
||||
// by rustdoc. Why would it? Because when rustdoc is running, it uses
|
||||
|
21
src/test/ui/async-await/issue-71137.rs
Normal file
21
src/test/ui/async-await/issue-71137.rs
Normal file
@ -0,0 +1,21 @@
|
||||
// edition:2018
|
||||
|
||||
use std::future::Future;
|
||||
use std::sync::Mutex;
|
||||
|
||||
fn fake_spawn<F: Future + Send + 'static>(f: F) { }
|
||||
|
||||
async fn wrong_mutex() {
|
||||
let m = Mutex::new(1);
|
||||
{
|
||||
let mut guard = m.lock().unwrap();
|
||||
(async { "right"; }).await;
|
||||
*guard += 1;
|
||||
}
|
||||
|
||||
(async { "wrong"; }).await;
|
||||
}
|
||||
|
||||
fn main() {
|
||||
fake_spawn(wrong_mutex()); //~ Error future cannot be sent between threads safely
|
||||
}
|
23
src/test/ui/async-await/issue-71137.stderr
Normal file
23
src/test/ui/async-await/issue-71137.stderr
Normal file
@ -0,0 +1,23 @@
|
||||
error: future cannot be sent between threads safely
|
||||
--> $DIR/issue-71137.rs:20:3
|
||||
|
|
||||
LL | fn fake_spawn<F: Future + Send + 'static>(f: F) { }
|
||||
| ---- required by this bound in `fake_spawn`
|
||||
...
|
||||
LL | fake_spawn(wrong_mutex());
|
||||
| ^^^^^^^^^^ future returned by `wrong_mutex` is not `Send`
|
||||
|
|
||||
= help: within `impl std::future::Future`, the trait `std::marker::Send` is not implemented for `std::sync::MutexGuard<'_, i32>`
|
||||
note: future is not `Send` as this value is used across an await
|
||||
--> $DIR/issue-71137.rs:12:5
|
||||
|
|
||||
LL | let mut guard = m.lock().unwrap();
|
||||
| --------- has type `std::sync::MutexGuard<'_, i32>` which is not `Send`
|
||||
LL | (async { "right"; }).await;
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^ await occurs here, with `mut guard` maybe used later
|
||||
LL | *guard += 1;
|
||||
LL | }
|
||||
| - `mut guard` is later dropped here
|
||||
|
||||
error: aborting due to previous error
|
||||
|
14
src/test/ui/consts/issue-70942-trait-vs-impl-mismatch.rs
Normal file
14
src/test/ui/consts/issue-70942-trait-vs-impl-mismatch.rs
Normal file
@ -0,0 +1,14 @@
|
||||
trait Nat {
|
||||
const VALUE: usize;
|
||||
}
|
||||
|
||||
struct Zero;
|
||||
|
||||
impl Nat for Zero {
|
||||
const VALUE: i32 = 0;
|
||||
//~^ ERROR implemented const `VALUE` has an incompatible type for trait
|
||||
}
|
||||
|
||||
fn main() {
|
||||
let _: [i32; Zero::VALUE] = [];
|
||||
}
|
12
src/test/ui/consts/issue-70942-trait-vs-impl-mismatch.stderr
Normal file
12
src/test/ui/consts/issue-70942-trait-vs-impl-mismatch.stderr
Normal file
@ -0,0 +1,12 @@
|
||||
error[E0326]: implemented const `VALUE` has an incompatible type for trait
|
||||
--> $DIR/issue-70942-trait-vs-impl-mismatch.rs:8:18
|
||||
|
|
||||
LL | const VALUE: usize;
|
||||
| ----- type in trait
|
||||
...
|
||||
LL | const VALUE: i32 = 0;
|
||||
| ^^^ expected `usize`, found `i32`
|
||||
|
||||
error: aborting due to previous error
|
||||
|
||||
For more information about this error, try `rustc --explain E0326`.
|
@ -19,5 +19,4 @@ impl TraitB for B { //~ ERROR not all trait items implemented, missing: `MyA`
|
||||
|
||||
fn main() {
|
||||
let _ = [0; B::VALUE];
|
||||
//~^ ERROR constant expression depends on a generic parameter
|
||||
}
|
||||
|
@ -13,15 +13,7 @@ LL | type MyA: TraitA;
|
||||
LL | impl TraitB for B {
|
||||
| ^^^^^^^^^^^^^^^^^ missing `MyA` in implementation
|
||||
|
||||
error: constant expression depends on a generic parameter
|
||||
--> $DIR/issue-69602-type-err-during-codegen-ice.rs:21:17
|
||||
|
|
||||
LL | let _ = [0; B::VALUE];
|
||||
| ^^^^^^^^
|
||||
|
|
||||
= note: this may fail depending on what value the parameter takes
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
error: aborting due to 2 previous errors
|
||||
|
||||
Some errors have detailed explanations: E0046, E0437.
|
||||
For more information about an error, try `rustc --explain E0046`.
|
||||
|
@ -1,4 +1,4 @@
|
||||
error: expected outer doc comment
|
||||
error[E0753]: expected outer doc comment
|
||||
--> $DIR/doc-comment-in-if-statement.rs:2:13
|
||||
|
|
||||
LL | if true /*!*/ {}
|
||||
@ -17,3 +17,4 @@ LL | if true /*!*/ {}
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0753`.
|
||||
|
@ -1,4 +1,4 @@
|
||||
error: expected outer doc comment
|
||||
error[E0753]: expected outer doc comment
|
||||
--> $DIR/issue-30318.rs:3:1
|
||||
|
|
||||
LL | //! Misplaced comment...
|
||||
@ -8,3 +8,4 @@ LL | //! Misplaced comment...
|
||||
|
||||
error: aborting due to previous error
|
||||
|
||||
For more information about this error, try `rustc --explain E0753`.
|
||||
|
@ -2,7 +2,7 @@ error: unused doc comment
|
||||
--> $DIR/useless-comment.rs:9:1
|
||||
|
|
||||
LL | /// foo
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ rustdoc does not generate documentation for macros
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ rustdoc does not generate documentation for macro invocations
|
||||
|
|
||||
note: the lint level is defined here
|
||||
--> $DIR/useless-comment.rs:3:9
|
||||
@ -15,7 +15,7 @@ error: unused doc comment
|
||||
--> $DIR/useless-comment.rs:32:5
|
||||
|
|
||||
LL | /// bar
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ rustdoc does not generate documentation for macros
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ rustdoc does not generate documentation for macro invocations
|
||||
|
|
||||
= help: to document an item produced by a macro, the macro must produce the documentation as part of its expansion
|
||||
|
||||
|
Loading…
Reference in New Issue
Block a user