Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 2861c78

Browse files
committedApr 22, 2020
Auto merge of #5439 - rokob:lock-await, r=Manishearth
Lint for holding locks across await points Fixes #4226 This introduces the lint await_holding_lock. For async functions, we iterate over all types in generator_interior_types and look for types named MutexGuard, RwLockReadGuard, or RwLockWriteGuard. If we find one then we emit a lint. changelog: introduce the await_holding_lock lint
2 parents b3cb9b8 + ba18dde commit 2861c78

File tree

7 files changed

+239
-0
lines changed

7 files changed

+239
-0
lines changed
 

‎CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -1188,6 +1188,7 @@ Released 2018-09-13
11881188
[`assertions_on_constants`]: https://rust-lang.github.io/rust-clippy/master/index.html#assertions_on_constants
11891189
[`assign_op_pattern`]: https://rust-lang.github.io/rust-clippy/master/index.html#assign_op_pattern
11901190
[`assign_ops`]: https://rust-lang.github.io/rust-clippy/master/index.html#assign_ops
1191+
[`await_holding_lock`]: https://rust-lang.github.io/rust-clippy/master/index.html#await_holding_lock
11911192
[`bad_bit_mask`]: https://rust-lang.github.io/rust-clippy/master/index.html#bad_bit_mask
11921193
[`blacklisted_name`]: https://rust-lang.github.io/rust-clippy/master/index.html#blacklisted_name
11931194
[`block_in_if_condition_expr`]: https://rust-lang.github.io/rust-clippy/master/index.html#block_in_if_condition_expr
+97
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
use crate::utils::{match_def_path, paths, span_lint_and_note};
2+
use rustc_hir::def_id::DefId;
3+
use rustc_hir::{AsyncGeneratorKind, Body, BodyId, GeneratorKind};
4+
use rustc_lint::{LateContext, LateLintPass};
5+
use rustc_middle::ty::GeneratorInteriorTypeCause;
6+
use rustc_session::{declare_lint_pass, declare_tool_lint};
7+
use rustc_span::Span;
8+
9+
declare_clippy_lint! {
10+
/// **What it does:** Checks for calls to await while holding a
11+
/// non-async-aware MutexGuard.
12+
///
13+
/// **Why is this bad?** The Mutex types found in syd::sync and parking_lot
14+
/// are not designed to operator in an async context across await points.
15+
///
16+
/// There are two potential solutions. One is to use an asynx-aware Mutex
17+
/// type. Many asynchronous foundation crates provide such a Mutex type. The
18+
/// other solution is to ensure the mutex is unlocked before calling await,
19+
/// either by introducing a scope or an explicit call to Drop::drop.
20+
///
21+
/// **Known problems:** None.
22+
///
23+
/// **Example:**
24+
///
25+
/// ```rust,ignore
26+
/// use std::sync::Mutex;
27+
///
28+
/// async fn foo(x: &Mutex<u32>) {
29+
/// let guard = x.lock().unwrap();
30+
/// *guard += 1;
31+
/// bar.await;
32+
/// }
33+
/// ```
34+
///
35+
/// Use instead:
36+
/// ```rust,ignore
37+
/// use std::sync::Mutex;
38+
///
39+
/// async fn foo(x: &Mutex<u32>) {
40+
/// {
41+
/// let guard = x.lock().unwrap();
42+
/// *guard += 1;
43+
/// }
44+
/// bar.await;
45+
/// }
46+
/// ```
47+
pub AWAIT_HOLDING_LOCK,
48+
pedantic,
49+
"Inside an async function, holding a MutexGuard while calling await"
50+
}
51+
52+
declare_lint_pass!(AwaitHoldingLock => [AWAIT_HOLDING_LOCK]);
53+
54+
impl LateLintPass<'_, '_> for AwaitHoldingLock {
55+
fn check_body(&mut self, cx: &LateContext<'_, '_>, body: &'_ Body<'_>) {
56+
use AsyncGeneratorKind::{Block, Closure, Fn};
57+
match body.generator_kind {
58+
Some(GeneratorKind::Async(Block))
59+
| Some(GeneratorKind::Async(Closure))
60+
| Some(GeneratorKind::Async(Fn)) => {
61+
let body_id = BodyId {
62+
hir_id: body.value.hir_id,
63+
};
64+
let def_id = cx.tcx.hir().body_owner_def_id(body_id);
65+
let tables = cx.tcx.typeck_tables_of(def_id);
66+
check_interior_types(cx, &tables.generator_interior_types, body.value.span);
67+
},
68+
_ => {},
69+
}
70+
}
71+
}
72+
73+
fn check_interior_types(cx: &LateContext<'_, '_>, ty_causes: &[GeneratorInteriorTypeCause<'_>], span: Span) {
74+
for ty_cause in ty_causes {
75+
if let rustc_middle::ty::Adt(adt, _) = ty_cause.ty.kind {
76+
if is_mutex_guard(cx, adt.did) {
77+
span_lint_and_note(
78+
cx,
79+
AWAIT_HOLDING_LOCK,
80+
ty_cause.span,
81+
"this MutexGuard is held across an 'await' point. Consider using an async-aware Mutex type or ensuring the MutexGuard is dropped before calling await.",
82+
ty_cause.scope_span.unwrap_or(span),
83+
"these are all the await points this lock is held through",
84+
);
85+
}
86+
}
87+
}
88+
}
89+
90+
fn is_mutex_guard(cx: &LateContext<'_, '_>, def_id: DefId) -> bool {
91+
match_def_path(cx, def_id, &paths::MUTEX_GUARD)
92+
|| match_def_path(cx, def_id, &paths::RWLOCK_READ_GUARD)
93+
|| match_def_path(cx, def_id, &paths::RWLOCK_WRITE_GUARD)
94+
|| match_def_path(cx, def_id, &paths::PARKING_LOT_MUTEX_GUARD)
95+
|| match_def_path(cx, def_id, &paths::PARKING_LOT_RWLOCK_READ_GUARD)
96+
|| match_def_path(cx, def_id, &paths::PARKING_LOT_RWLOCK_WRITE_GUARD)
97+
}

‎clippy_lints/src/lib.rs

+4
Original file line numberDiff line numberDiff line change
@@ -177,6 +177,7 @@ mod assertions_on_constants;
177177
mod assign_ops;
178178
mod atomic_ordering;
179179
mod attrs;
180+
mod await_holding_lock;
180181
mod bit_mask;
181182
mod blacklisted_name;
182183
mod block_in_if_condition;
@@ -497,6 +498,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
497498
&attrs::INLINE_ALWAYS,
498499
&attrs::UNKNOWN_CLIPPY_LINTS,
499500
&attrs::USELESS_ATTRIBUTE,
501+
&await_holding_lock::AWAIT_HOLDING_LOCK,
500502
&bit_mask::BAD_BIT_MASK,
501503
&bit_mask::INEFFECTIVE_BIT_MASK,
502504
&bit_mask::VERBOSE_BIT_MASK,
@@ -864,6 +866,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
864866
]);
865867
// end register lints, do not remove this comment, it’s used in `update_lints`
866868

869+
store.register_late_pass(|| box await_holding_lock::AwaitHoldingLock);
867870
store.register_late_pass(|| box serde_api::SerdeAPI);
868871
store.register_late_pass(|| box utils::internal_lints::CompilerLintFunctions::new());
869872
store.register_late_pass(|| box utils::internal_lints::LintWithoutLintPass::default());
@@ -1102,6 +1105,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
11021105

11031106
store.register_group(true, "clippy::pedantic", Some("clippy_pedantic"), vec![
11041107
LintId::of(&attrs::INLINE_ALWAYS),
1108+
LintId::of(&await_holding_lock::AWAIT_HOLDING_LOCK),
11051109
LintId::of(&checked_conversions::CHECKED_CONVERSIONS),
11061110
LintId::of(&copies::MATCH_SAME_ARMS),
11071111
LintId::of(&copies::SAME_FUNCTIONS_IN_IF_CONDITION),

‎clippy_lints/src/utils/paths.rs

+3
Original file line numberDiff line numberDiff line change
@@ -72,6 +72,9 @@ pub const ORD: [&str; 3] = ["core", "cmp", "Ord"];
7272
pub const OS_STRING: [&str; 4] = ["std", "ffi", "os_str", "OsString"];
7373
pub const OS_STRING_AS_OS_STR: [&str; 5] = ["std", "ffi", "os_str", "OsString", "as_os_str"];
7474
pub const OS_STR_TO_OS_STRING: [&str; 5] = ["std", "ffi", "os_str", "OsStr", "to_os_string"];
75+
pub const PARKING_LOT_MUTEX_GUARD: [&str; 2] = ["parking_lot", "MutexGuard"];
76+
pub const PARKING_LOT_RWLOCK_READ_GUARD: [&str; 2] = ["parking_lot", "RwLockReadGuard"];
77+
pub const PARKING_LOT_RWLOCK_WRITE_GUARD: [&str; 2] = ["parking_lot", "RwLockWriteGuard"];
7578
pub const PATH: [&str; 3] = ["std", "path", "Path"];
7679
pub const PATH_BUF: [&str; 3] = ["std", "path", "PathBuf"];
7780
pub const PATH_BUF_AS_PATH: [&str; 4] = ["std", "path", "PathBuf", "as_path"];

‎src/lintlist/mod.rs

+7
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,13 @@ pub static ref ALL_LINTS: Vec<Lint> = vec![
5252
deprecation: None,
5353
module: "assign_ops",
5454
},
55+
Lint {
56+
name: "await_holding_lock",
57+
group: "pedantic",
58+
desc: "Inside an async function, holding a MutexGuard while calling await",
59+
deprecation: None,
60+
module: "await_holding_lock",
61+
},
5562
Lint {
5663
name: "bad_bit_mask",
5764
group: "correctness",

‎tests/ui/await_holding_lock.rs

+64
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,64 @@
1+
// edition:2018
2+
#![warn(clippy::await_holding_lock)]
3+
4+
use std::sync::Mutex;
5+
6+
async fn bad(x: &Mutex<u32>) -> u32 {
7+
let guard = x.lock().unwrap();
8+
baz().await
9+
}
10+
11+
async fn good(x: &Mutex<u32>) -> u32 {
12+
{
13+
let guard = x.lock().unwrap();
14+
let y = *guard + 1;
15+
}
16+
baz().await;
17+
let guard = x.lock().unwrap();
18+
47
19+
}
20+
21+
async fn baz() -> u32 {
22+
42
23+
}
24+
25+
async fn also_bad(x: &Mutex<u32>) -> u32 {
26+
let first = baz().await;
27+
28+
let guard = x.lock().unwrap();
29+
30+
let second = baz().await;
31+
32+
let third = baz().await;
33+
34+
first + second + third
35+
}
36+
37+
async fn not_good(x: &Mutex<u32>) -> u32 {
38+
let first = baz().await;
39+
40+
let second = {
41+
let guard = x.lock().unwrap();
42+
baz().await
43+
};
44+
45+
let third = baz().await;
46+
47+
first + second + third
48+
}
49+
50+
fn block_bad(x: &Mutex<u32>) -> impl std::future::Future<Output = u32> + '_ {
51+
async move {
52+
let guard = x.lock().unwrap();
53+
baz().await
54+
}
55+
}
56+
57+
fn main() {
58+
let m = Mutex::new(100);
59+
good(&m);
60+
bad(&m);
61+
also_bad(&m);
62+
not_good(&m);
63+
block_bad(&m);
64+
}

‎tests/ui/await_holding_lock.stderr

+63
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,63 @@
1+
error: this MutexGuard is held across an 'await' point. Consider using an async-aware Mutex type or ensuring the MutexGuard is dropped before calling await.
2+
--> $DIR/await_holding_lock.rs:7:9
3+
|
4+
LL | let guard = x.lock().unwrap();
5+
| ^^^^^
6+
|
7+
= note: `-D clippy::await-holding-lock` implied by `-D warnings`
8+
note: these are all the await points this lock is held through
9+
--> $DIR/await_holding_lock.rs:7:5
10+
|
11+
LL | / let guard = x.lock().unwrap();
12+
LL | | baz().await
13+
LL | | }
14+
| |_^
15+
16+
error: this MutexGuard is held across an 'await' point. Consider using an async-aware Mutex type or ensuring the MutexGuard is dropped before calling await.
17+
--> $DIR/await_holding_lock.rs:28:9
18+
|
19+
LL | let guard = x.lock().unwrap();
20+
| ^^^^^
21+
|
22+
note: these are all the await points this lock is held through
23+
--> $DIR/await_holding_lock.rs:28:5
24+
|
25+
LL | / let guard = x.lock().unwrap();
26+
LL | |
27+
LL | | let second = baz().await;
28+
LL | |
29+
... |
30+
LL | | first + second + third
31+
LL | | }
32+
| |_^
33+
34+
error: this MutexGuard is held across an 'await' point. Consider using an async-aware Mutex type or ensuring the MutexGuard is dropped before calling await.
35+
--> $DIR/await_holding_lock.rs:41:13
36+
|
37+
LL | let guard = x.lock().unwrap();
38+
| ^^^^^
39+
|
40+
note: these are all the await points this lock is held through
41+
--> $DIR/await_holding_lock.rs:41:9
42+
|
43+
LL | / let guard = x.lock().unwrap();
44+
LL | | baz().await
45+
LL | | };
46+
| |_____^
47+
48+
error: this MutexGuard is held across an 'await' point. Consider using an async-aware Mutex type or ensuring the MutexGuard is dropped before calling await.
49+
--> $DIR/await_holding_lock.rs:52:13
50+
|
51+
LL | let guard = x.lock().unwrap();
52+
| ^^^^^
53+
|
54+
note: these are all the await points this lock is held through
55+
--> $DIR/await_holding_lock.rs:52:9
56+
|
57+
LL | / let guard = x.lock().unwrap();
58+
LL | | baz().await
59+
LL | | }
60+
| |_____^
61+
62+
error: aborting due to 4 previous errors
63+

0 commit comments

Comments
 (0)
Please sign in to comment.