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

extract pattern lint from non_upper_case_globals #56478

Closed
Closed
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
1 change: 1 addition & 0 deletions src/libpanic_unwind/dwarf/eh.rs
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,7 @@
//! (<root>/libgcc/unwind-c.c as of this writing)

#![allow(non_upper_case_globals)]
#![cfg_attr(not(stage0), allow(misleading_constant_patterns))]
#![allow(unused)]

use dwarf::DwarfReader;
Expand Down
4 changes: 3 additions & 1 deletion src/librustc_lint/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -139,6 +139,7 @@ pub fn register_builtins(store: &mut lint::LintStore, sess: Option<&Session>) {
NonCamelCaseTypes: NonCamelCaseTypes,
NonSnakeCase: NonSnakeCase,
NonUpperCaseGlobals: NonUpperCaseGlobals,
MisleadingConstantPatterns: MisleadingConstantPatterns,
NonShorthandFieldPatterns: NonShorthandFieldPatterns,
UnsafeCode: UnsafeCode,
UnusedAllocation: UnusedAllocation,
Expand All @@ -165,7 +166,8 @@ pub fn register_builtins(store: &mut lint::LintStore, sess: Option<&Session>) {
"nonstandard_style",
NON_CAMEL_CASE_TYPES,
NON_SNAKE_CASE,
NON_UPPER_CASE_GLOBALS);
NON_UPPER_CASE_GLOBALS,
MISLEADING_CONSTANT_PATTERNS);
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

cc @Manishearth

  1. what do you think of the name? It follows our rule of needing to be readable as "allow misleading constant patterns"
  2. Should this maybe just live in clippy, since it's not really a bug, but more a stylistic confusing problem

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

In thinking about (2) a bit more, I do wonder if this lint really carries its weight. The rationale for the lint in #7526 is to avoid misleading patterns where constants look like bindings. However, to even get in this situation you'd have to explicitly #[allow(non_upper_case_globals)] on your const or static in the first place. For cases where you have to use a non-upper case global, then this lint really just serves as an extra hurdle that you're going to allow anyways.

I think it might suffice to include a blurb about the misleading patterns in the rationale for non_upper_case_globals: "patterns containing consts or statics that are not upper cased look like bindings, and can cause difficult-to-spot bugs". Maybe as a note?

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The issue is not declaring and using such a constant within one crate, but exporting such constants in a crate and then pattern matching on the name e.g. by accident, when you actually wanted a binding.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Ah, that makes sense. I'll wait for @Manishearth to weigh in before making any more changes.


add_lint_group!(sess,
"unused",
Expand Down
57 changes: 52 additions & 5 deletions src/librustc_lint/nonstandard_style.rs
Original file line number Diff line number Diff line change
Expand Up @@ -16,6 +16,7 @@ use lint::{LintPass, LateLintPass};
use rustc_target::spec::abi::Abi;
use syntax::ast;
use syntax::attr;
use syntax::errors::Applicability;
use syntax_pos::Span;

use rustc::hir::{self, GenericParamKind, PatKind};
Expand Down Expand Up @@ -340,7 +341,7 @@ pub struct NonUpperCaseGlobals;

impl NonUpperCaseGlobals {
fn check_upper_case(cx: &LateContext, sort: &str, name: ast::Name, span: Span) {
if name.as_str().chars().any(|c| c.is_lowercase()) {
if has_lower_case_chars(&name.as_str()) {
let uc = NonSnakeCase::to_snake_case(&name.as_str()).to_uppercase();
if name != &*uc {
cx.span_lint(NON_UPPER_CASE_GLOBALS,
Expand Down Expand Up @@ -399,18 +400,64 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for NonUpperCaseGlobals {
_ => {}
}
}
}

declare_lint! {
pub MISLEADING_CONSTANT_PATTERNS,
Warn,
"constants in patterns should have upper case identifiers"
}

#[derive(Copy, Clone)]
pub struct MisleadingConstantPatterns;

impl MisleadingConstantPatterns {
fn check_upper_case(cx: &LateContext, name: ast::Name, span: Span) {
if has_lower_case_chars(&name.as_str()) {
let uc = NonSnakeCase::to_snake_case(&name.as_str()).to_uppercase();

cx.struct_span_lint(
MISLEADING_CONSTANT_PATTERNS,
span,
&format!("constant pattern `{}` should be upper case", name),
)
.span_label(span, "looks like a binding")
.span_suggestion_with_applicability(
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I don't think this suggestion is useful without also changing the import or enum's name. I'd rather have this suggestion removed entirely than have it.

span,
"convert the pattern to upper case",
uc,
Applicability::MaybeIncorrect,
)
.emit();
}
}
}

impl LintPass for MisleadingConstantPatterns {
fn get_lints(&self) -> LintArray {
lint_array!(MISLEADING_CONSTANT_PATTERNS)
}
}

impl<'a, 'tcx> LateLintPass<'a, 'tcx> for MisleadingConstantPatterns {
fn check_pat(&mut self, cx: &LateContext, p: &hir::Pat) {
// Lint for constants that look like binding identifiers (#7526)
if let PatKind::Path(hir::QPath::Resolved(None, ref path)) = p.node {
if let Def::Const(..) = path.def {
if path.segments.len() == 1 {
NonUpperCaseGlobals::check_upper_case(cx,
"constant in pattern",
path.segments[0].ident.name,
path.span);
MisleadingConstantPatterns::check_upper_case(
cx,
path.segments[0].ident.name,
path.span,
);
}
}
}
}
}

/// Returns whether a string contains any lower case characters. Note that this is different from
/// checking if a string is not fully upper case, since most scripts do not have case distinctions.
fn has_lower_case_chars(s: &str) -> bool {
s.chars().any(char::is_lowercase)
}
1 change: 1 addition & 0 deletions src/test/run-pass/structs-enums/empty-struct-braces.rs
Original file line number Diff line number Diff line change
Expand Up @@ -11,6 +11,7 @@
// run-pass
#![allow(unused_variables)]
#![allow(non_upper_case_globals)]
#![allow(misleading_constant_patterns)]

// Empty struct defined with braces add names into type namespace
// Empty struct defined without braces add names into both type and value namespaces
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -8,21 +8,58 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.

// run-pass
// Issue #7526: lowercase static constants in patterns look like bindings

// This is similar to compile-fail/match-static-const-lc, except it
// shows the expected usual workaround (choosing a different name for
// the static definition) and also demonstrates that one can work
// around this problem locally by renaming the constant in the `use`
// form to an uppercase identifier that placates the lint.
#![deny(misleading_constant_patterns)]
#![allow(dead_code)]

#[allow(non_upper_case_globals)]
pub const a : isize = 97;

#![deny(non_upper_case_globals)]
fn f() {
let r = match (0,0) {
(0, a) => 0, //~ ERROR should be upper case
//| HELP convert the pattern to upper case
//| SUGGESTION A
(x, y) => 1 + x + y,
};
assert_eq!(r, 1);
}

mod m {
#[allow(non_upper_case_globals)]
pub const aha : isize = 7;
}

fn g() {
use self::m::aha;
let r = match (0,0) {
(0, aha) => 0, //~ ERROR should be upper case
//| HELP convert the pattern to upper case
//| SUGGESTION AHA
(x, y) => 1 + x + y,
};
assert_eq!(r, 1);
}

mod n {
pub const OKAY : isize = 8;
}

fn h() {
use self::n::OKAY as not_okay;
let r = match (0,0) {
(0, not_okay) => 0, //~ ERROR should be upper case
//| HELP convert the pattern to upper case
//| SUGGESTION NOT_OKAY
(x, y) => 1 + x + y,
};
assert_eq!(r, 1);
}

pub const A : isize = 97;

fn f() {
fn i() {
let r = match (0,0) {
(0, A) => 0,
(x, y) => 1 + x + y,
Expand All @@ -35,12 +72,7 @@ fn f() {
assert_eq!(r, 0);
}

mod m {
#[allow(non_upper_case_globals)]
pub const aha : isize = 7;
}

fn g() {
fn j() {
use self::m::aha as AHA;
let r = match (0,0) {
(0, AHA) => 0,
Expand All @@ -54,7 +86,7 @@ fn g() {
assert_eq!(r, 0);
}

fn h() {
fn k() {
let r = match (0,0) {
(0, self::m::aha) => 0,
(x, y) => 1 + x + y,
Expand All @@ -67,8 +99,4 @@ fn h() {
assert_eq!(r, 0);
}

pub fn main () {
f();
g();
h();
}
fn main() {}
35 changes: 35 additions & 0 deletions src/test/ui/lint/lint-misleading-constant-patterns.stderr
Original file line number Diff line number Diff line change
@@ -0,0 +1,35 @@
error: constant pattern `a` should be upper case
--> $DIR/lint-misleading-constant-patterns.rs:21:13
|
LL | (0, a) => 0, //~ ERROR should be upper case
| ^
| |
| looks like a binding
| help: convert the pattern to upper case: `A`
|
note: lint level defined here
--> $DIR/lint-misleading-constant-patterns.rs:13:9
|
LL | #![deny(misleading_constant_patterns)]
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^

error: constant pattern `aha` should be upper case
--> $DIR/lint-misleading-constant-patterns.rs:37:13
|
LL | (0, aha) => 0, //~ ERROR should be upper case
| ^^^
| |
| looks like a binding
| help: convert the pattern to upper case: `AHA`

error: constant pattern `not_okay` should be upper case
--> $DIR/lint-misleading-constant-patterns.rs:52:13
|
LL | (0, not_okay) => 0, //~ ERROR should be upper case
| ^^^^^^^^
| |
| looks like a binding
| help: convert the pattern to upper case: `NOT_OKAY`

error: aborting due to 3 previous errors

61 changes: 0 additions & 61 deletions src/test/ui/match/match-static-const-lc.rs

This file was deleted.

26 changes: 0 additions & 26 deletions src/test/ui/match/match-static-const-lc.stderr

This file was deleted.