Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Learn to parse a as usize < b #42578

Merged
merged 5 commits into from
Jun 16, 2017
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 4 additions & 0 deletions src/librustc_errors/diagnostic.rs
Original file line number Diff line number Diff line change
Expand Up @@ -248,6 +248,10 @@ impl Diagnostic {
self.message.iter().map(|i| i.0.to_owned()).collect::<String>()
}

pub fn set_message(&mut self, message: &str) {
self.message = vec![(message.to_owned(), Style::NoStyle)];
}

pub fn styled_message(&self) -> &Vec<(String, Style)> {
&self.message
}
Expand Down
100 changes: 91 additions & 9 deletions src/libsyntax/parse/parser.rs
Original file line number Diff line number Diff line change
Expand Up @@ -150,7 +150,7 @@ fn maybe_append(mut lhs: Vec<Attribute>, rhs: Option<Vec<Attribute>>)
lhs
}

#[derive(PartialEq)]
#[derive(Clone, PartialEq)]
enum PrevTokenKind {
DocComment,
Comma,
Expand All @@ -162,6 +162,7 @@ enum PrevTokenKind {

/* ident is handled by common.rs */

#[derive(Clone)]
pub struct Parser<'a> {
pub sess: &'a ParseSess,
/// the current token:
Expand Down Expand Up @@ -193,11 +194,13 @@ pub struct Parser<'a> {
}


#[derive(Clone)]
struct TokenCursor {
frame: TokenCursorFrame,
stack: Vec<TokenCursorFrame>,
}

#[derive(Clone)]
struct TokenCursorFrame {
delim: token::DelimToken,
span: Span,
Expand Down Expand Up @@ -397,6 +400,7 @@ impl Error {
}
}

#[derive(Debug)]
pub enum LhsExpr {
NotYetParsed,
AttributesParsed(ThinVec<Attribute>),
Expand Down Expand Up @@ -1724,7 +1728,7 @@ impl<'a> Parser<'a> {

let segments = match mode {
PathStyle::Type => {
self.parse_path_segments_without_colons()?
self.parse_path_segments_without_colons(true)?
}
PathStyle::Expr => {
self.parse_path_segments_with_colons()?
Expand All @@ -1745,6 +1749,16 @@ impl<'a> Parser<'a> {
/// bounds are permitted and whether `::` must precede type parameter
/// groups.
pub fn parse_path(&mut self, mode: PathStyle) -> PResult<'a, ast::Path> {
self.parse_path_common(mode, true)
}

pub fn parse_path_without_generics(&mut self, mode: PathStyle) -> PResult<'a, ast::Path> {
self.parse_path_common(mode, false)
}

fn parse_path_common(&mut self, mode: PathStyle, parse_generics: bool)
-> PResult<'a, ast::Path>
{
maybe_whole!(self, NtPath, |x| x);

let lo = self.meta_var_span.unwrap_or(self.span);
Expand All @@ -1755,7 +1769,7 @@ impl<'a> Parser<'a> {
// A bound set is a set of type parameter bounds.
let mut segments = match mode {
PathStyle::Type => {
self.parse_path_segments_without_colons()?
self.parse_path_segments_without_colons(parse_generics)?
}
PathStyle::Expr => {
self.parse_path_segments_with_colons()?
Expand Down Expand Up @@ -1800,7 +1814,9 @@ impl<'a> Parser<'a> {
/// - `a::b<T,U>::c<V,W>`
/// - `a::b<T,U>::c(V) -> W`
/// - `a::b<T,U>::c(V)`
pub fn parse_path_segments_without_colons(&mut self) -> PResult<'a, Vec<PathSegment>> {
pub fn parse_path_segments_without_colons(&mut self, parse_generics: bool)
-> PResult<'a, Vec<PathSegment>>
{
let mut segments = Vec::new();
loop {
// First, parse an identifier.
Expand All @@ -1819,7 +1835,7 @@ impl<'a> Parser<'a> {
}

// Parse types, optionally.
let parameters = if self.eat_lt() {
let parameters = if parse_generics && self.eat_lt() {
let (lifetimes, types, bindings) = self.parse_generic_args()?;
self.expect_gt()?;
ast::AngleBracketedParameterData {
Expand Down Expand Up @@ -2798,8 +2814,9 @@ impl<'a> Parser<'a> {
}
// Special cases:
if op == AssocOp::As {
let rhs = self.parse_ty_no_plus()?;
lhs = self.mk_expr(lhs_span.to(rhs.span), ExprKind::Cast(lhs, rhs), ThinVec::new());
// Save the state of the parser before parsing type normally, in case there is a
// LessThan comparison after this cast.
lhs = self.parse_assoc_op_as(lhs, lhs_span)?;
continue
} else if op == AssocOp::Colon {
let rhs = self.parse_ty_no_plus()?;
Expand Down Expand Up @@ -2897,11 +2914,74 @@ impl<'a> Parser<'a> {
Ok(lhs)
}

fn parse_assoc_op_as(&mut self, lhs: P<Expr>, lhs_span: Span) -> PResult<'a, P<Expr>> {
let rp = self.clone();
match self.parse_ty_no_plus() {
Ok(rhs) => {
Ok(self.mk_expr(lhs_span.to(rhs.span),
ExprKind::Cast(lhs, rhs),
ThinVec::new()))
}
Err(mut err) => {
let rp_err = self.clone();
let sp = rp_err.span.clone();

// Rewind to before attempting to parse the type with generics, to get
// arround #22644.
mem::replace(self, rp);
let lo = self.span;
match self.parse_path_without_generics(PathStyle::Type) {
Ok(path) => {
// Successfully parsed the type leaving a `<` yet to parse
err.cancel();
let codemap = self.sess.codemap();
let suggestion_span = lhs_span.to(self.prev_span);
let suggestion = match codemap.span_to_snippet(suggestion_span) {
Ok(lstring) => format!("({})", lstring),
_ => format!("(<expression> as <type>)")
};
let warn_message = match codemap.span_to_snippet(self.prev_span) {
Ok(lstring) => format!("`{}`", lstring),
_ => "a type".to_string(),
};
let msg = format!("`<` is interpreted as a start of generic \
arguments for {}, not a comparison",
warn_message);
let mut err = self.sess.span_diagnostic.struct_span_err(sp, &msg);
err.span_label(sp, "interpreted as generic argument");
err.span_label(self.span, "not interpreted as comparison");
err.span_suggestion(suggestion_span,
"if you want to compare the casted value then write:",
suggestion);
err.emit();

let path = TyKind::Path(None, path);
let span = lo.to(self.prev_span);
let rhs = P(Ty { node: path, span: span, id: ast::DUMMY_NODE_ID });
// Letting the parser accept the recovered type to avoid further errors,
// but the code will still not compile due to the error emitted above.
Ok(self.mk_expr(lhs_span.to(rhs.span),
ExprKind::Cast(lhs, rhs),
ThinVec::new()))
}
Err(mut path_err) => {
// Still couldn't parse, return original error and parser state
path_err.cancel();
mem::replace(self, rp_err);
Err(err)
}
}
}
}
}

/// Produce an error if comparison operators are chained (RFC #558).
/// We only need to check lhs, not rhs, because all comparison ops
/// have same precedence and are left-associative
fn check_no_chained_comparison(&mut self, lhs: &Expr, outer_op: &AssocOp) {
debug_assert!(outer_op.is_comparison());
debug_assert!(outer_op.is_comparison(),
"check_no_chained_comparison: {:?} is not comparison",
outer_op);
match lhs.node {
ExprKind::Binary(op, _, _) if op.node.is_comparison() => {
// respan to include both operators
Expand All @@ -2925,7 +3005,9 @@ impl<'a> Parser<'a> {
fn parse_prefix_range_expr(&mut self,
already_parsed_attrs: Option<ThinVec<Attribute>>)
-> PResult<'a, P<Expr>> {
debug_assert!(self.token == token::DotDot || self.token == token::DotDotDot);
debug_assert!(self.token == token::DotDot || self.token == token::DotDotDot,
"parse_prefix_range_expr: token {:?} is not DotDot or DotDotDot",
self.token);
let tok = self.token.clone();
let attrs = self.parse_or_use_outer_attributes(already_parsed_attrs)?;
let lo = self.span;
Expand Down
3 changes: 3 additions & 0 deletions src/libsyntax/tokenstream.rs
Original file line number Diff line number Diff line change
Expand Up @@ -227,14 +227,17 @@ impl TokenStream {
}
}

#[derive(Clone)]
pub struct Cursor(CursorKind);

#[derive(Clone)]
enum CursorKind {
Empty,
Tree(TokenTree, bool /* consumed? */),
Stream(StreamCursor),
}

#[derive(Clone)]
struct StreamCursor {
stream: RcSlice<TokenStream>,
index: usize,
Expand Down
18 changes: 18 additions & 0 deletions src/test/ui/issue-22644.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,18 @@
// 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.

fn main() {
let a : u32 = 0;
let b : usize = 0;

println!("{}", a as usize > b);
println!("{}", a as usize < b);
println!("{}", a as usize < 4);
}
24 changes: 24 additions & 0 deletions src/test/ui/issue-22644.stderr
Original file line number Diff line number Diff line change
@@ -0,0 +1,24 @@
error: `<` is interpreted as a start of generic arguments for `usize`, not a comparison
--> $DIR/issue-22644.rs:16:33
|
16 | println!("{}", a as usize < b);
| - ^ interpreted as generic argument
| |
| not interpreted as comparison
|
help: if you want to compare the casted value then write:
| println!("{}", (a as usize) < b);

error: `<` is interpreted as a start of generic arguments for `usize`, not a comparison
--> $DIR/issue-22644.rs:17:33
|
17 | println!("{}", a as usize < 4);
| - ^ interpreted as generic argument
| |
| not interpreted as comparison
|
help: if you want to compare the casted value then write:
| println!("{}", (a as usize) < 4);

error: aborting due to previous error(s)