Skip to content

Commit 6d69cab

Browse files
committed
Auto merge of #68434 - varkor:astconv-mismatch-error, r=nikomatsakis
Move generic arg/param validation to `create_substs_for_generic_args` to resolve various const generics issues This changes some diagnostics, but I think they're around as helpful as the previous ones, and occur infrequently regardless. Fixes #68257. Fixes #68398. r? @eddyb
2 parents 49c68bd + bead79e commit 6d69cab

25 files changed

+349
-233
lines changed

src/librustc/ty/mod.rs

+11-1
Original file line numberDiff line numberDiff line change
@@ -931,7 +931,17 @@ pub enum GenericParamDefKind {
931931
Const,
932932
}
933933

934-
#[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
934+
impl GenericParamDefKind {
935+
pub fn descr(&self) -> &'static str {
936+
match self {
937+
GenericParamDefKind::Lifetime => "lifetime",
938+
GenericParamDefKind::Type { .. } => "type",
939+
GenericParamDefKind::Const => "constant",
940+
}
941+
}
942+
}
943+
944+
#[derive(Clone, Debug, RustcEncodable, RustcDecodable, HashStable)]
935945
pub struct GenericParamDef {
936946
pub name: Symbol,
937947
pub def_id: DefId,

src/librustc/ty/structural_impls.rs

-11
Original file line numberDiff line numberDiff line change
@@ -17,17 +17,6 @@ use std::fmt;
1717
use std::rc::Rc;
1818
use std::sync::Arc;
1919

20-
impl fmt::Debug for ty::GenericParamDef {
21-
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
22-
let type_name = match self.kind {
23-
ty::GenericParamDefKind::Lifetime => "Lifetime",
24-
ty::GenericParamDefKind::Type { .. } => "Type",
25-
ty::GenericParamDefKind::Const => "Const",
26-
};
27-
write!(f, "{}({}, {:?}, {})", type_name, self.name, self.def_id, self.index)
28-
}
29-
}
30-
3120
impl fmt::Debug for ty::TraitDef {
3221
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3322
ty::tls::with(|tcx| {

src/librustc_ast_passes/ast_validation.rs

+17-65
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@
88

99
use rustc_ast_pretty::pprust;
1010
use rustc_data_structures::fx::FxHashMap;
11-
use rustc_errors::{error_code, struct_span_err, Applicability, FatalError};
11+
use rustc_errors::{error_code, struct_span_err, Applicability};
1212
use rustc_parse::validate_attr;
1313
use rustc_session::lint::builtin::PATTERNS_IN_FNS_WITHOUT_BODY;
1414
use rustc_session::lint::LintBuffer;
@@ -596,23 +596,15 @@ impl<'a> AstValidator<'a> {
596596
}
597597
}
598598

599-
enum GenericPosition {
600-
Param,
601-
Arg,
602-
}
603-
604-
fn validate_generics_order<'a>(
599+
fn validate_generic_param_order<'a>(
605600
sess: &Session,
606601
handler: &rustc_errors::Handler,
607602
generics: impl Iterator<Item = (ParamKindOrd, Option<&'a [GenericBound]>, Span, Option<String>)>,
608-
pos: GenericPosition,
609603
span: Span,
610604
) {
611605
let mut max_param: Option<ParamKindOrd> = None;
612606
let mut out_of_order = FxHashMap::default();
613607
let mut param_idents = vec![];
614-
let mut found_type = false;
615-
let mut found_const = false;
616608

617609
for (kind, bounds, span, ident) in generics {
618610
if let Some(ident) = ident {
@@ -626,11 +618,6 @@ fn validate_generics_order<'a>(
626618
}
627619
Some(_) | None => *max_param = Some(kind),
628620
};
629-
match kind {
630-
ParamKindOrd::Type => found_type = true,
631-
ParamKindOrd::Const => found_const = true,
632-
_ => {}
633-
}
634621
}
635622

636623
let mut ordered_params = "<".to_string();
@@ -653,42 +640,26 @@ fn validate_generics_order<'a>(
653640
}
654641
ordered_params += ">";
655642

656-
let pos_str = match pos {
657-
GenericPosition::Param => "parameter",
658-
GenericPosition::Arg => "argument",
659-
};
660-
661643
for (param_ord, (max_param, spans)) in &out_of_order {
662-
let mut err = handler.struct_span_err(
663-
spans.clone(),
664-
&format!(
665-
"{} {pos}s must be declared prior to {} {pos}s",
666-
param_ord,
667-
max_param,
668-
pos = pos_str,
669-
),
670-
);
671-
if let GenericPosition::Param = pos {
672-
err.span_suggestion(
673-
span,
644+
let mut err =
645+
handler.struct_span_err(
646+
spans.clone(),
674647
&format!(
675-
"reorder the {}s: lifetimes, then types{}",
676-
pos_str,
677-
if sess.features_untracked().const_generics { ", then consts" } else { "" },
648+
"{} parameters must be declared prior to {} parameters",
649+
param_ord, max_param,
678650
),
679-
ordered_params.clone(),
680-
Applicability::MachineApplicable,
681651
);
682-
}
652+
err.span_suggestion(
653+
span,
654+
&format!(
655+
"reorder the parameters: lifetimes, then types{}",
656+
if sess.features_untracked().const_generics { ", then consts" } else { "" },
657+
),
658+
ordered_params.clone(),
659+
Applicability::MachineApplicable,
660+
);
683661
err.emit();
684662
}
685-
686-
// FIXME(const_generics): we shouldn't have to abort here at all, but we currently get ICEs
687-
// if we don't. Const parameters and type parameters can currently conflict if they
688-
// are out-of-order.
689-
if !out_of_order.is_empty() && found_type && found_const {
690-
FatalError.raise();
691-
}
692663
}
693664

694665
impl<'a> Visitor<'a> for AstValidator<'a> {
@@ -1016,24 +987,6 @@ impl<'a> Visitor<'a> for AstValidator<'a> {
1016987
match *generic_args {
1017988
GenericArgs::AngleBracketed(ref data) => {
1018989
walk_list!(self, visit_generic_arg, &data.args);
1019-
validate_generics_order(
1020-
self.session,
1021-
self.err_handler(),
1022-
data.args.iter().map(|arg| {
1023-
(
1024-
match arg {
1025-
GenericArg::Lifetime(..) => ParamKindOrd::Lifetime,
1026-
GenericArg::Type(..) => ParamKindOrd::Type,
1027-
GenericArg::Const(..) => ParamKindOrd::Const,
1028-
},
1029-
None,
1030-
arg.span(),
1031-
None,
1032-
)
1033-
}),
1034-
GenericPosition::Arg,
1035-
generic_args.span(),
1036-
);
1037990

1038991
// Type bindings such as `Item = impl Debug` in `Iterator<Item = Debug>`
1039992
// are allowed to contain nested `impl Trait`.
@@ -1070,7 +1023,7 @@ impl<'a> Visitor<'a> for AstValidator<'a> {
10701023
}
10711024
}
10721025

1073-
validate_generics_order(
1026+
validate_generic_param_order(
10741027
self.session,
10751028
self.err_handler(),
10761029
generics.params.iter().map(|param| {
@@ -1085,7 +1038,6 @@ impl<'a> Visitor<'a> for AstValidator<'a> {
10851038
};
10861039
(kind, Some(&*param.bounds), param.ident.span, ident)
10871040
}),
1088-
GenericPosition::Param,
10891041
generics.span,
10901042
);
10911043

src/librustc_error_codes/error_codes.rs

+1
Original file line numberDiff line numberDiff line change
@@ -417,6 +417,7 @@ E0743: include_str!("./error_codes/E0743.md"),
417417
E0744: include_str!("./error_codes/E0744.md"),
418418
E0745: include_str!("./error_codes/E0745.md"),
419419
E0746: include_str!("./error_codes/E0746.md"),
420+
E0747: include_str!("./error_codes/E0747.md"),
420421
;
421422
// E0006, // merged with E0005
422423
// E0008, // cannot bind by-move into a pattern guard
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
Generic arguments must be provided in the same order as the corresponding
2+
generic parameters are declared.
3+
4+
Erroneous code example:
5+
6+
```compile_fail,E0747
7+
struct S<'a, T>(&'a T);
8+
9+
type X = S<(), 'static>; // error: the type argument is provided before the
10+
// lifetime argument
11+
```
12+
13+
The argument order should be changed to match the parameter declaration
14+
order, as in the following.
15+
16+
```
17+
struct S<'a, T>(&'a T);
18+
19+
type X = S<'static, ()>; // ok
20+
```

src/librustc_hir/hir.rs

+8
Original file line numberDiff line numberDiff line change
@@ -298,6 +298,14 @@ impl GenericArg<'_> {
298298
_ => false,
299299
}
300300
}
301+
302+
pub fn descr(&self) -> &'static str {
303+
match self {
304+
GenericArg::Lifetime(_) => "lifetime",
305+
GenericArg::Type(_) => "type",
306+
GenericArg::Const(_) => "constant",
307+
}
308+
}
301309
}
302310

303311
#[derive(RustcEncodable, RustcDecodable, Debug, HashStable_Generic)]

0 commit comments

Comments
 (0)