Do not rewind parser and ignore following blocks
When encountering `pub ident`, attempt to identify the code that comes afterwards, wether it is a brace block (assume it is a struct), a paren list followed by a colon (assume struct) or a paren list followed by a block (assume a fn). Consume those blocks to avoid any further parser errors and return a `Placeholder` item in order to allow the parser to continue. In the case of unenclosed blocks, the behavior is the same as it is currently: no further errors are processed.
This commit is contained in:
parent
547873aa54
commit
7c0387e36a
@ -1757,7 +1757,9 @@ impl<'a> LoweringContext<'a> {
|
||||
bounds,
|
||||
items)
|
||||
}
|
||||
ItemKind::MacroDef(..) | ItemKind::Mac(..) => panic!("Shouldn't still be around"),
|
||||
ItemKind::Placeholder | ItemKind::MacroDef(..) | ItemKind::Mac(..) => {
|
||||
panic!("Shouldn't still be around")
|
||||
}
|
||||
}
|
||||
|
||||
// [1] `defaultness.has_value()` is never called for an `impl`, always `true` in order to
|
||||
|
@ -113,6 +113,7 @@ impl<'a> visit::Visitor<'a> for DefCollector<'a> {
|
||||
return visit::walk_item(self, i);
|
||||
}
|
||||
ItemKind::Mod(..) => DefPathData::Module(i.ident.name.as_str()),
|
||||
ItemKind::Placeholder |
|
||||
ItemKind::Static(..) | ItemKind::Const(..) | ItemKind::Fn(..) =>
|
||||
DefPathData::ValueNs(i.ident.name.as_str()),
|
||||
ItemKind::MacroDef(..) => DefPathData::MacroDef(i.ident.name.as_str()),
|
||||
|
@ -269,7 +269,7 @@ impl<'a> Resolver<'a> {
|
||||
self.define(parent, ident, TypeNS, imported_binding);
|
||||
}
|
||||
|
||||
ItemKind::GlobalAsm(..) => {}
|
||||
ItemKind::GlobalAsm(..) | ItemKind::Placeholder => {}
|
||||
|
||||
ItemKind::Mod(..) if item.ident == keywords::Invalid.ident() => {} // Crate root
|
||||
|
||||
|
@ -1947,7 +1947,8 @@ impl<'a> Resolver<'a> {
|
||||
}
|
||||
}
|
||||
|
||||
ItemKind::ExternCrate(_) | ItemKind::MacroDef(..) | ItemKind::GlobalAsm(_)=> {
|
||||
ItemKind::ExternCrate(_) | ItemKind::MacroDef(..) | ItemKind::GlobalAsm(_) |
|
||||
ItemKind::Placeholder => {
|
||||
// do nothing, these are just around to be encoded
|
||||
}
|
||||
|
||||
|
@ -548,6 +548,7 @@ impl Sig for ast::Item {
|
||||
// FIXME should implement this (e.g., pub use).
|
||||
ast::ItemKind::Use(_) => Err("import"),
|
||||
ast::ItemKind::Mac(..) | ast::ItemKind::MacroDef(_) => Err("Macro"),
|
||||
ast::ItemKind::Placeholder => Err("placeholder"),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
@ -1977,6 +1977,7 @@ pub enum ItemKind {
|
||||
|
||||
/// A macro definition.
|
||||
MacroDef(MacroDef),
|
||||
Placeholder,
|
||||
}
|
||||
|
||||
impl ItemKind {
|
||||
@ -1998,6 +1999,7 @@ impl ItemKind {
|
||||
ItemKind::Mac(..) |
|
||||
ItemKind::MacroDef(..) |
|
||||
ItemKind::Impl(..) |
|
||||
ItemKind::Placeholder |
|
||||
ItemKind::AutoImpl(..) => "item"
|
||||
}
|
||||
}
|
||||
|
@ -935,6 +935,7 @@ pub fn noop_fold_item_kind<T: Folder>(i: ItemKind, folder: &mut T) -> ItemKind {
|
||||
),
|
||||
ItemKind::Mac(m) => ItemKind::Mac(folder.fold_mac(m)),
|
||||
ItemKind::MacroDef(def) => ItemKind::MacroDef(folder.fold_macro_def(def)),
|
||||
ItemKind::Placeholder => ItemKind::Placeholder,
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -72,6 +72,50 @@ bitflags! {
|
||||
|
||||
type ItemInfo = (Ident, ItemKind, Option<Vec<Attribute> >);
|
||||
|
||||
enum HasRecovered<'a, T> {
|
||||
Success(T),
|
||||
Recovered(T, DiagnosticBuilder<'a>),
|
||||
}
|
||||
|
||||
impl<'a, T> HasRecovered<'a, T> {
|
||||
fn new(t: T, err: Option<DiagnosticBuilder<'a>>) -> HasRecovered<'a, T> {
|
||||
if let Some(err) = err {
|
||||
HasRecovered::Recovered(t, err)
|
||||
} else {
|
||||
HasRecovered::Success(t)
|
||||
}
|
||||
}
|
||||
|
||||
fn map<O, F: FnOnce(T) -> O>(self, f: F) -> HasRecovered<'a, O> {
|
||||
let (t, e) = self.full_unwrap();
|
||||
HasRecovered::new(f(t), e)
|
||||
}
|
||||
|
||||
fn emit(self) -> T {
|
||||
match self {
|
||||
HasRecovered::Recovered(t, mut err) => {
|
||||
err.emit();
|
||||
t
|
||||
}
|
||||
HasRecovered::Success(t) => t,
|
||||
}
|
||||
}
|
||||
|
||||
fn full_unwrap(self) -> (T, Option<DiagnosticBuilder<'a>>) {
|
||||
match self {
|
||||
HasRecovered::Recovered(t, err) => (t, Some(err)),
|
||||
HasRecovered::Success(t) => (t, None),
|
||||
}
|
||||
}
|
||||
|
||||
fn into_result(self) -> PResult<'a, T> {
|
||||
match self {
|
||||
HasRecovered::Recovered(_, err) => Err(err),
|
||||
HasRecovered::Success(t) => Ok(t),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// How to parse a path.
|
||||
#[derive(Copy, Clone, PartialEq)]
|
||||
pub enum PathStyle {
|
||||
@ -1156,6 +1200,7 @@ impl<'a> Parser<'a> {
|
||||
None => token::CloseDelim(self.token_cursor.frame.delim),
|
||||
})
|
||||
}
|
||||
|
||||
fn look_ahead_span(&self, dist: usize) -> Span {
|
||||
if dist == 0 {
|
||||
return self.span
|
||||
@ -1366,6 +1411,7 @@ impl<'a> Parser<'a> {
|
||||
debug!("parse_trait_methods(): parsing provided method");
|
||||
*at_end = true;
|
||||
let (inner_attrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
let body = body.emit();
|
||||
attrs.extend(inner_attrs.iter().cloned());
|
||||
Some(body)
|
||||
}
|
||||
@ -2401,7 +2447,7 @@ impl<'a> Parser<'a> {
|
||||
let mut attrs = outer_attrs;
|
||||
attrs.extend(self.parse_inner_attributes()?);
|
||||
|
||||
let blk = self.parse_block_tail(lo, blk_mode)?;
|
||||
let blk = self.parse_block_tail(lo, blk_mode)?.emit();
|
||||
return Ok(self.mk_expr(blk.span, ExprKind::Block(blk), attrs));
|
||||
}
|
||||
|
||||
@ -3157,7 +3203,9 @@ impl<'a> Parser<'a> {
|
||||
attrs.extend(iattrs);
|
||||
|
||||
let hi = self.prev_span;
|
||||
Ok(self.mk_expr(span_lo.to(hi), ExprKind::ForLoop(pat, expr, loop_block, opt_ident), attrs))
|
||||
Ok(self.mk_expr(span_lo.to(hi),
|
||||
ExprKind::ForLoop(pat, expr, loop_block.emit(), opt_ident),
|
||||
attrs))
|
||||
}
|
||||
|
||||
/// Parse a 'while' or 'while let' expression ('while' token already eaten)
|
||||
@ -3169,6 +3217,7 @@ impl<'a> Parser<'a> {
|
||||
}
|
||||
let cond = self.parse_expr_res(Restrictions::NO_STRUCT_LITERAL, None)?;
|
||||
let (iattrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
let body = body.emit();
|
||||
attrs.extend(iattrs);
|
||||
let span = span_lo.to(body.span);
|
||||
return Ok(self.mk_expr(span, ExprKind::While(cond, body, opt_ident), attrs));
|
||||
@ -3184,6 +3233,7 @@ impl<'a> Parser<'a> {
|
||||
let expr = self.parse_expr_res(Restrictions::NO_STRUCT_LITERAL, None)?;
|
||||
let (iattrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
attrs.extend(iattrs);
|
||||
let body = body.emit();
|
||||
let span = span_lo.to(body.span);
|
||||
return Ok(self.mk_expr(span, ExprKind::WhileLet(pat, expr, body, opt_ident), attrs));
|
||||
}
|
||||
@ -3193,6 +3243,7 @@ impl<'a> Parser<'a> {
|
||||
span_lo: Span,
|
||||
mut attrs: ThinVec<Attribute>) -> PResult<'a, P<Expr>> {
|
||||
let (iattrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
let body = body.emit();
|
||||
attrs.extend(iattrs);
|
||||
let span = span_lo.to(body.span);
|
||||
Ok(self.mk_expr(span, ExprKind::Loop(body, opt_ident), attrs))
|
||||
@ -3203,6 +3254,7 @@ impl<'a> Parser<'a> {
|
||||
-> PResult<'a, P<Expr>>
|
||||
{
|
||||
let (iattrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
let body = body.emit();
|
||||
attrs.extend(iattrs);
|
||||
Ok(self.mk_expr(span_lo.to(body.span), ExprKind::Catch(body), attrs))
|
||||
}
|
||||
@ -4249,12 +4301,14 @@ impl<'a> Parser<'a> {
|
||||
return Err(e);
|
||||
}
|
||||
|
||||
self.parse_block_tail(lo, BlockCheckMode::Default)
|
||||
Ok(self.parse_block_tail(lo, BlockCheckMode::Default)?.emit())
|
||||
}
|
||||
|
||||
/// Parse a block. Inner attrs are allowed.
|
||||
fn parse_inner_attrs_and_block(&mut self) -> PResult<'a, (Vec<Attribute>, P<Block>)> {
|
||||
maybe_whole!(self, NtBlock, |x| (Vec::new(), x));
|
||||
fn parse_inner_attrs_and_block(&mut self)
|
||||
-> PResult<'a, (Vec<Attribute>, HasRecovered<'a, P<Block>>)>
|
||||
{
|
||||
maybe_whole!(self, NtBlock, |x| (Vec::new(), HasRecovered::Success(x)));
|
||||
|
||||
let lo = self.span;
|
||||
self.expect(&token::OpenDelim(token::Brace))?;
|
||||
@ -4264,11 +4318,22 @@ impl<'a> Parser<'a> {
|
||||
|
||||
/// Parse the rest of a block expression or function body
|
||||
/// Precondition: already parsed the '{'.
|
||||
fn parse_block_tail(&mut self, lo: Span, s: BlockCheckMode) -> PResult<'a, P<Block>> {
|
||||
fn parse_block_tail(&mut self, lo: Span, s: BlockCheckMode)
|
||||
-> PResult<'a, HasRecovered<'a, P<Block>>>
|
||||
{
|
||||
let mut stmts = vec![];
|
||||
|
||||
let mut error = None;
|
||||
while !self.eat(&token::CloseDelim(token::Brace)) {
|
||||
if let Some(stmt) = self.parse_full_stmt(false)? {
|
||||
let stmt = match self.parse_full_stmt(false) {
|
||||
Err(err) => {
|
||||
error = Some(err);
|
||||
self.recover_stmt_(SemiColonMode::Ignore, BlockMode::Break);
|
||||
break;
|
||||
}
|
||||
Ok(stmt) => stmt,
|
||||
};
|
||||
if let Some(stmt) = stmt {
|
||||
stmts.push(stmt);
|
||||
} else if self.token == token::Eof {
|
||||
break;
|
||||
@ -4277,13 +4342,14 @@ impl<'a> Parser<'a> {
|
||||
continue;
|
||||
};
|
||||
}
|
||||
|
||||
Ok(P(ast::Block {
|
||||
let block = HasRecovered::new(P(ast::Block {
|
||||
stmts,
|
||||
id: ast::DUMMY_NODE_ID,
|
||||
rules: s,
|
||||
span: lo.to(self.prev_span),
|
||||
}))
|
||||
}), error);
|
||||
|
||||
Ok(block)
|
||||
}
|
||||
|
||||
/// Parse a statement, including the trailing semicolon.
|
||||
@ -4918,11 +4984,22 @@ impl<'a> Parser<'a> {
|
||||
constness: Spanned<Constness>,
|
||||
abi: abi::Abi)
|
||||
-> PResult<'a, ItemInfo> {
|
||||
|
||||
self.parse_item_fn_recoverable(unsafety, constness, abi)?.into_result()
|
||||
}
|
||||
|
||||
fn parse_item_fn_recoverable(&mut self,
|
||||
unsafety: Unsafety,
|
||||
constness: Spanned<Constness>,
|
||||
abi: abi::Abi)
|
||||
-> PResult<'a, HasRecovered<'a, ItemInfo>> {
|
||||
let (ident, mut generics) = self.parse_fn_header()?;
|
||||
let decl = self.parse_fn_decl(false)?;
|
||||
generics.where_clause = self.parse_where_clause()?;
|
||||
let (inner_attrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
Ok((ident, ItemKind::Fn(decl, unsafety, constness, abi, generics, body), Some(inner_attrs)))
|
||||
Ok(body.map(|body| (ident,
|
||||
ItemKind::Fn(decl, unsafety, constness, abi, generics, body),
|
||||
Some(inner_attrs))))
|
||||
}
|
||||
|
||||
/// true if we are looking at `const ID`, false for things like `const fn` etc
|
||||
@ -5106,6 +5183,7 @@ impl<'a> Parser<'a> {
|
||||
generics.where_clause = self.parse_where_clause()?;
|
||||
*at_end = true;
|
||||
let (inner_attrs, body) = self.parse_inner_attrs_and_block()?;
|
||||
let body = body.into_result()?;
|
||||
Ok((ident, inner_attrs, generics, ast::ImplItemKind::Method(ast::MethodSig {
|
||||
abi,
|
||||
unsafety,
|
||||
@ -5325,18 +5403,54 @@ impl<'a> Parser<'a> {
|
||||
Ok((class_name, ItemKind::Union(vdata, generics), None))
|
||||
}
|
||||
|
||||
fn consume_block(&mut self, delim: token::DelimToken) {
|
||||
debug!("consuming {:?}", delim);
|
||||
debug!("self.token {:?}", self.token);
|
||||
let mut brace_depth = 0;
|
||||
if !self.eat(&token::OpenDelim(delim)) {
|
||||
debug!("didn't eat delim");
|
||||
return;
|
||||
}
|
||||
loop {
|
||||
if self.eat(&token::OpenDelim(delim)) {
|
||||
debug!("add depth");
|
||||
brace_depth += 1;
|
||||
} else if self.eat(&token::CloseDelim(delim)) {
|
||||
debug!("found closing");
|
||||
if brace_depth == 0 {
|
||||
debug!("ending");
|
||||
return;
|
||||
} else {
|
||||
debug!("decrease");
|
||||
brace_depth -= 1;
|
||||
continue;
|
||||
}
|
||||
} else if self.eat(&token::Eof) || self.eat(&token::CloseDelim(token::NoDelim)) {
|
||||
debug!("eof or nodelim");
|
||||
return;
|
||||
} else {
|
||||
debug!("bump");
|
||||
self.bump();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
pub fn parse_record_struct_body(&mut self) -> PResult<'a, Vec<StructField>> {
|
||||
let mut fields = Vec::new();
|
||||
if self.eat(&token::OpenDelim(token::Brace)) {
|
||||
while self.token != token::CloseDelim(token::Brace) {
|
||||
fields.push(self.parse_struct_decl_field().map_err(|e| {
|
||||
let field = self.parse_struct_decl_field().map_err(|e| {
|
||||
self.recover_stmt();
|
||||
self.eat(&token::CloseDelim(token::Brace));
|
||||
e
|
||||
})?);
|
||||
});
|
||||
match field {
|
||||
Ok(field) => fields.push(field),
|
||||
Err(mut err) => {
|
||||
err.emit();
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
self.bump();
|
||||
self.eat(&token::CloseDelim(token::Brace));
|
||||
} else {
|
||||
let token_str = self.this_token_to_string();
|
||||
return Err(self.fatal(&format!("expected `where`, or `{{` after struct \
|
||||
@ -6238,11 +6352,10 @@ impl<'a> Parser<'a> {
|
||||
|
||||
// Verify wether we have encountered a struct or method definition where the user forgot to
|
||||
// add the `struct` or `fn` keyword after writing `pub`: `pub S {}`
|
||||
if visibility == Visibility::Public && self.check_ident() {
|
||||
// Keep the current state of the parser to rollback after an unsuccessful attempt to
|
||||
// parse an entire method or struct body.
|
||||
let parser_snapshot = self.clone();
|
||||
|
||||
if visibility == Visibility::Public &&
|
||||
self.check_ident() &&
|
||||
self.look_ahead(1, |t| *t != token::Not)
|
||||
{
|
||||
// Space between `pub` keyword and the identifier
|
||||
//
|
||||
// pub S {}
|
||||
@ -6251,40 +6364,54 @@ impl<'a> Parser<'a> {
|
||||
if self.look_ahead(1, |t| *t == token::OpenDelim(token::Brace)) {
|
||||
// possible public struct definition where `struct` was forgotten
|
||||
let ident = self.parse_ident().unwrap();
|
||||
match self.parse_record_struct_body() {
|
||||
Err(mut err) => {
|
||||
// couldn't parse a struct body, continue parsing as if it were a macro
|
||||
err.cancel();
|
||||
mem::replace(self, parser_snapshot);
|
||||
}
|
||||
Ok(_) => {
|
||||
let msg = format!("add `struct` here to parse `{}` as a public struct",
|
||||
ident);
|
||||
let mut err = self.diagnostic()
|
||||
.struct_span_err(sp, "missing `struct` for struct definition");
|
||||
err.span_suggestion_short(sp, &msg, " struct ".into());
|
||||
return Err(err);
|
||||
}
|
||||
}
|
||||
let msg = format!("add `struct` here to parse `{}` as a public struct",
|
||||
ident);
|
||||
let mut err = self.diagnostic()
|
||||
.struct_span_err(sp, "missing `struct` for struct definition");
|
||||
err.span_suggestion_short(sp, &msg, " struct ".into());
|
||||
err.emit();
|
||||
self.consume_block(token::Brace);
|
||||
let prev_span = self.prev_span;
|
||||
let item = self.mk_item(lo.to(prev_span),
|
||||
ident,
|
||||
ItemKind::Placeholder,
|
||||
visibility,
|
||||
vec![]);
|
||||
return Ok(Some(item));
|
||||
} else if self.look_ahead(1, |t| *t == token::OpenDelim(token::Paren)) {
|
||||
// possible public method definition where `fn` was forgotten
|
||||
let ident = self.parse_ident().unwrap();
|
||||
match self.parse_fn_decl(false)
|
||||
.and_then(|_| self.parse_where_clause())
|
||||
.and_then(|_| self.parse_inner_attrs_and_block()) {
|
||||
Err(mut err) => {
|
||||
// couldn't parse method arguments or body, continue parsing
|
||||
err.cancel();
|
||||
mem::replace(self, parser_snapshot);
|
||||
}
|
||||
Ok(_) => {
|
||||
let msg = format!("add `fn` here to parse `{}` as a public method", ident);
|
||||
let mut err = self.diagnostic()
|
||||
.struct_span_err(sp, "missing `fn` for method definition");
|
||||
err.span_suggestion_short(sp, &msg, " fn ".into());
|
||||
return Err(err);
|
||||
}
|
||||
self.consume_block(token::Paren);
|
||||
let (kw, ambiguous) = if self.check(&token::OpenDelim(token::Brace)) {
|
||||
self.consume_block(token::Brace);
|
||||
("fn", false)
|
||||
} else if self.check(&token::Colon) {
|
||||
let kw = "struct";
|
||||
(kw, false)
|
||||
} else {
|
||||
("fn` or `struct", true)
|
||||
};
|
||||
|
||||
let msg = format!("missing `{}`{}", kw,
|
||||
if ambiguous {
|
||||
"".to_string()
|
||||
} else {
|
||||
format!(" for {} definition", kw)
|
||||
});
|
||||
let mut err = self.diagnostic().struct_span_err(sp, &msg);
|
||||
if !ambiguous {
|
||||
let suggestion = format!("add `{kw}` here to parse `{}` as a public {kw}",
|
||||
ident,
|
||||
kw=kw);
|
||||
err.span_suggestion_short(sp, &suggestion, format!(" {} ", kw));
|
||||
}
|
||||
err.emit();
|
||||
let prev_span = self.prev_span;
|
||||
let item = self.mk_item(lo.to(prev_span),
|
||||
ident,
|
||||
ItemKind::Placeholder,
|
||||
visibility,
|
||||
vec![]);
|
||||
return Ok(Some(item));
|
||||
}
|
||||
}
|
||||
self.parse_macro_use_or_failure(attrs, macros_allowed, attributes_allowed, lo, visibility)
|
||||
|
@ -1386,6 +1386,12 @@ impl<'a> State<'a> {
|
||||
self.s.word(";")?;
|
||||
self.end()?;
|
||||
}
|
||||
ast::ItemKind::Placeholder => {
|
||||
self.s.word("<placeholder ")?;
|
||||
self.print_ident(item.ident)?;
|
||||
self.s.word(">")?;
|
||||
self.end()?;
|
||||
}
|
||||
}
|
||||
self.ann.post(self, NodeItem(item))
|
||||
}
|
||||
|
@ -307,6 +307,7 @@ pub fn walk_item<'a, V: Visitor<'a>>(visitor: &mut V, item: &'a Item) {
|
||||
}
|
||||
ItemKind::Mac(ref mac) => visitor.visit_mac(mac),
|
||||
ItemKind::MacroDef(ref ts) => visitor.visit_mac_def(ts, item.id),
|
||||
ItemKind::Placeholder => (),
|
||||
}
|
||||
walk_list!(visitor, visit_attribute, &item.attrs);
|
||||
}
|
||||
|
@ -0,0 +1,39 @@
|
||||
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
|
||||
// file at the top-level directory of this distribution and at
|
||||
// http://rust-lang.org/COPYRIGHT.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
||||
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
||||
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
||||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
pub Struct {
|
||||
y: usize,
|
||||
}
|
||||
|
||||
pub Y {
|
||||
x: usize,
|
||||
|
||||
|
||||
pub struct X {
|
||||
foo();
|
||||
}
|
||||
|
||||
pub Z {
|
||||
x->foo(),
|
||||
}
|
||||
|
||||
pub foo(foo) {
|
||||
foo
|
||||
}
|
||||
|
||||
pub struct X {
|
||||
foo();
|
||||
}
|
||||
|
||||
pub Z {
|
||||
x->foo(),
|
||||
}
|
||||
|
||||
fn main(){}
|
@ -0,0 +1,36 @@
|
||||
error: this file contains an un-closed delimiter
|
||||
--> $DIR/pub-ident-missing-kw-unclosed-block.rs:29:13
|
||||
|
|
||||
39 | fn main(){}
|
||||
| ^
|
||||
|
|
||||
help: did you mean to close this delimiter?
|
||||
--> $DIR/pub-ident-missing-kw-unclosed-block.rs:5:7
|
||||
|
|
||||
15 | pub Y {
|
||||
| ^
|
||||
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw-unclosed-block.rs:1:4
|
||||
|
|
||||
11 | pub Struct {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Struct` as a public struct
|
||||
|
|
||||
11 | pub struct Struct {
|
||||
| ^^^^^^
|
||||
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw-unclosed-block.rs:5:4
|
||||
|
|
||||
15 | pub Y {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Y` as a public struct
|
||||
|
|
||||
15 | pub struct Y {
|
||||
| ^^^^^^
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
|
39
src/test/ui/suggestions/pub-ident-missing-kw.rs
Normal file
39
src/test/ui/suggestions/pub-ident-missing-kw.rs
Normal file
@ -0,0 +1,39 @@
|
||||
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
|
||||
// file at the top-level directory of this distribution and at
|
||||
// http://rust-lang.org/COPYRIGHT.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
||||
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
||||
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
||||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
pub Struct {
|
||||
y: usize,
|
||||
}
|
||||
|
||||
pub Y {
|
||||
x: usize,
|
||||
}
|
||||
|
||||
pub struct X {
|
||||
foo();
|
||||
}
|
||||
|
||||
pub Z {
|
||||
x->foo(),
|
||||
}
|
||||
|
||||
pub foo(foo) {
|
||||
foo
|
||||
}
|
||||
|
||||
pub struct X {
|
||||
foo();
|
||||
}
|
||||
|
||||
pub Z {
|
||||
x->foo(),
|
||||
}
|
||||
|
||||
fn main(){}
|
69
src/test/ui/suggestions/pub-ident-missing-kw.stderr
Normal file
69
src/test/ui/suggestions/pub-ident-missing-kw.stderr
Normal file
@ -0,0 +1,69 @@
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw.rs:11:4
|
||||
|
|
||||
11 | pub Struct {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Struct` as a public struct
|
||||
|
|
||||
11 | pub struct Struct {
|
||||
| ^^^^^^
|
||||
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw.rs:15:4
|
||||
|
|
||||
15 | pub Y {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Y` as a public struct
|
||||
|
|
||||
15 | pub struct Y {
|
||||
| ^^^^^^
|
||||
|
||||
error: expected `:`, found `(`
|
||||
--> $DIR/pub-ident-missing-kw.rs:20:8
|
||||
|
|
||||
20 | foo();
|
||||
| ^
|
||||
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw.rs:23:4
|
||||
|
|
||||
23 | pub Z {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Z` as a public struct
|
||||
|
|
||||
23 | pub struct Z {
|
||||
| ^^^^^^
|
||||
|
||||
error: missing `fn` for fn definition
|
||||
--> $DIR/pub-ident-missing-kw.rs:27:4
|
||||
|
|
||||
27 | pub foo(foo) {
|
||||
| ^
|
||||
|
|
||||
help: add `fn` here to parse `foo` as a public fn
|
||||
|
|
||||
27 | pub fn foo(foo) {
|
||||
| ^^
|
||||
|
||||
error: expected `:`, found `(`
|
||||
--> $DIR/pub-ident-missing-kw.rs:32:8
|
||||
|
|
||||
32 | foo();
|
||||
| ^
|
||||
|
||||
error: missing `struct` for struct definition
|
||||
--> $DIR/pub-ident-missing-kw.rs:35:4
|
||||
|
|
||||
35 | pub Z {
|
||||
| ^
|
||||
|
|
||||
help: add `struct` here to parse `Z` as a public struct
|
||||
|
|
||||
35 | pub struct Z {
|
||||
| ^^^^^^
|
||||
|
||||
error: aborting due to 7 previous errors
|
||||
|
Loading…
Reference in New Issue
Block a user