Skip to content

Commit 8da09ae

Browse files
committed
Add allow-by-default lint for unit bindings
This lint is not triggered if any of the following conditions are met: - The user explicitly annotates the binding with the `()` type. - The binding is from a macro expansion. - The user explicitly wrote `let () = init;` - The user explicitly wrote `let pat = ();`. This is allowed for local lifetimes.
1 parent 4f3da90 commit 8da09ae

File tree

6 files changed

+88
-2
lines changed

6 files changed

+88
-2
lines changed

compiler/rustc_lint/messages.ftl

+3
Original file line numberDiff line numberDiff line change
@@ -523,6 +523,9 @@ lint_undropped_manually_drops = calls to `std::mem::drop` with `std::mem::Manual
523523
lint_ungated_async_fn_track_caller = `#[track_caller]` on async functions is a no-op
524524
.label = this function will not propagate the caller location
525525
526+
lint_unit_bindings = binding has unit type `()`
527+
.label = this pattern is inferred to be the unit type `()`
528+
526529
lint_unknown_gated_lint =
527530
unknown lint: `{$name}`
528531
.note = the `{$name}` lint is unstable

compiler/rustc_lint/src/lib.rs

+3
Original file line numberDiff line numberDiff line change
@@ -85,6 +85,7 @@ mod redundant_semicolon;
8585
mod reference_casting;
8686
mod traits;
8787
mod types;
88+
mod unit_bindings;
8889
mod unused;
8990

9091
pub use array_into_iter::ARRAY_INTO_ITER;
@@ -123,6 +124,7 @@ use redundant_semicolon::*;
123124
use reference_casting::*;
124125
use traits::*;
125126
use types::*;
127+
use unit_bindings::*;
126128
use unused::*;
127129

128130
/// Useful for other parts of the compiler / Clippy.
@@ -203,6 +205,7 @@ late_lint_methods!(
203205
InvalidReferenceCasting: InvalidReferenceCasting,
204206
// Depends on referenced function signatures in expressions
205207
UnusedResults: UnusedResults,
208+
UnitBindings: UnitBindings,
206209
NonUpperCaseGlobals: NonUpperCaseGlobals,
207210
NonShorthandFieldPatterns: NonShorthandFieldPatterns,
208211
UnusedAllocation: UnusedAllocation,

compiler/rustc_lint/src/lints.rs

+7
Original file line numberDiff line numberDiff line change
@@ -1845,3 +1845,10 @@ impl<'a> DecorateLint<'a, ()> for AsyncFnInTraitDiag {
18451845
fluent::lint_async_fn_in_trait
18461846
}
18471847
}
1848+
1849+
#[derive(LintDiagnostic)]
1850+
#[diag(lint_unit_bindings)]
1851+
pub struct UnitBindingsDiag {
1852+
#[label]
1853+
pub label: Span,
1854+
}
+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
use crate::lints::UnitBindingsDiag;
2+
use crate::{LateLintPass, LintContext};
3+
use rustc_hir as hir;
4+
use rustc_middle::ty::Ty;
5+
6+
declare_lint! {
7+
/// The `unit_bindings` lint detects cases where bindings are useless because they have
8+
/// the unit type `()` as their inferred type. The lint is suppressed if the user explicitly
9+
/// annotates the let binding with the unit type `()`, or if the let binding uses an underscore
10+
/// wildcard pattern, i.e. `let _ = expr`, or if the binding is produced from macro expansions.
11+
///
12+
/// ### Example
13+
///
14+
/// ```rust,compile_fail
15+
/// #![deny(unit_bindings)]
16+
///
17+
/// fn foo() {
18+
/// println!("do work");
19+
/// }
20+
///
21+
/// pub fn main() {
22+
/// let x = foo(); // useless binding
23+
/// }
24+
/// ```
25+
///
26+
/// {{produces}}
27+
///
28+
/// ### Explanation
29+
///
30+
/// Creating a local binding with the unit type `()` does not do much and can be a sign of a
31+
/// user error, such as in this example:
32+
///
33+
/// ```rust,no_run
34+
/// fn main() {
35+
/// let mut x = [1, 2, 3];
36+
/// x[0] = 5;
37+
/// let y = x.sort(); // useless binding as `sort` returns `()` and not the sorted array.
38+
/// println!("{:?}", y); // prints "()"
39+
/// }
40+
/// ```
41+
pub UNIT_BINDINGS,
42+
Allow,
43+
"binding is useless because it has the unit `()` type"
44+
}
45+
46+
declare_lint_pass!(UnitBindings => [UNIT_BINDINGS]);
47+
48+
impl<'tcx> LateLintPass<'tcx> for UnitBindings {
49+
fn check_local(&mut self, cx: &crate::LateContext<'tcx>, local: &'tcx hir::Local<'tcx>) {
50+
// Suppress warning if user:
51+
// - explicitly ascribes a type to the pattern
52+
// - explicitly wrote `let pat = ();`
53+
// - explicitly wrote `let () = init;`.
54+
if !local.span.from_expansion()
55+
&& let Some(tyck_results) = cx.maybe_typeck_results()
56+
&& let Some(init) = local.init
57+
&& let init_ty = tyck_results.expr_ty(init)
58+
&& let local_ty = tyck_results.node_type(local.hir_id)
59+
&& init_ty == Ty::new_unit(cx.tcx)
60+
&& local_ty == Ty::new_unit(cx.tcx)
61+
&& local.ty.is_none()
62+
&& !matches!(init.kind, hir::ExprKind::Tup([]))
63+
&& !matches!(local.pat.kind, hir::PatKind::Tuple([], ..))
64+
{
65+
cx.emit_spanned_lint(
66+
UNIT_BINDINGS,
67+
local.span,
68+
UnitBindingsDiag { label: local.pat.span },
69+
);
70+
}
71+
}
72+
}

tests/ui/closures/issue-868.rs

+1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
// run-pass
22
#![allow(unused_parens)]
3+
#![allow(unit_bindings)]
34
// pretty-expanded FIXME #23616
45

56
fn f<T, F>(g: F) -> T where F: FnOnce() -> T { g() }

tests/ui/never_type/diverging-fallback-unconstrained-return.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
// Variant of diverging-falllback-control-flow that tests
1+
// Variant of diverging-fallback-control-flow that tests
22
// the specific case of a free function with an unconstrained
33
// return type. This captures the pattern we saw in the wild
44
// in the objc crate, where changing the fallback from `!` to `()`
@@ -9,7 +9,7 @@
99
// revisions: nofallback fallback
1010

1111
#![cfg_attr(fallback, feature(never_type, never_type_fallback))]
12-
12+
#![allow(unit_bindings)]
1313

1414
fn make_unit() {}
1515

0 commit comments

Comments
 (0)