Skip to content

Commit e636b88

Browse files
committed
Auto merge of #6044 - rschoon:rc-buffer, r=yaahc
Add `rc_buffer` lint for checking Rc<String> and friends Fixes #2623 This is a bit different from the original PR attempting to implement this type of lint. Rather than linting against converting into the unwanted types, this PR lints against declaring the unwanted type in a struct or function definition. I'm reasonably happy with what I have here, although I used the fully qualified type names for the Path and OsString suggestions, and I'm not sure if I should have just used the short versions instead, even if they might not have been declared via use. Also, I don't know if "buffer type" is the best way to put it or not. Alternatively I could call it a "growable type" or "growable buffer type", but I was thinking of PathBuf when I started making the lint. changelog: Add `rc_buffer` lint
2 parents 29b12f2 + 6c056d3 commit e636b88

12 files changed

+304
-3
lines changed

CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -1777,6 +1777,7 @@ Released 2018-09-13
17771777
[`range_plus_one`]: https://rust-lang.github.io/rust-clippy/master/index.html#range_plus_one
17781778
[`range_step_by_zero`]: https://rust-lang.github.io/rust-clippy/master/index.html#range_step_by_zero
17791779
[`range_zip_with_len`]: https://rust-lang.github.io/rust-clippy/master/index.html#range_zip_with_len
1780+
[`rc_buffer`]: https://rust-lang.github.io/rust-clippy/master/index.html#rc_buffer
17801781
[`redundant_allocation`]: https://rust-lang.github.io/rust-clippy/master/index.html#redundant_allocation
17811782
[`redundant_clone`]: https://rust-lang.github.io/rust-clippy/master/index.html#redundant_clone
17821783
[`redundant_closure`]: https://rust-lang.github.io/rust-clippy/master/index.html#redundant_closure

clippy_lints/src/consts.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ pub enum Constant {
2121
/// A `String` (e.g., "abc").
2222
Str(String),
2323
/// A binary string (e.g., `b"abc"`).
24-
Binary(Lrc<Vec<u8>>),
24+
Binary(Lrc<[u8]>),
2525
/// A single `char` (e.g., `'a'`).
2626
Char(char),
2727
/// An integer's bit representation.
@@ -155,7 +155,7 @@ pub fn lit_to_constant(lit: &LitKind, ty: Option<Ty<'_>>) -> Constant {
155155
match *lit {
156156
LitKind::Str(ref is, _) => Constant::Str(is.to_string()),
157157
LitKind::Byte(b) => Constant::Int(u128::from(b)),
158-
LitKind::ByteStr(ref s) => Constant::Binary(Lrc::clone(s)),
158+
LitKind::ByteStr(ref s) => Constant::Binary(Lrc::from(s.as_slice())),
159159
LitKind::Char(c) => Constant::Char(c),
160160
LitKind::Int(n, _) => Constant::Int(n),
161161
LitKind::Float(ref is, LitFloatType::Suffixed(fty)) => match fty {

clippy_lints/src/lib.rs

+3
Original file line numberDiff line numberDiff line change
@@ -841,6 +841,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
841841
&types::LET_UNIT_VALUE,
842842
&types::LINKEDLIST,
843843
&types::OPTION_OPTION,
844+
&types::RC_BUFFER,
844845
&types::REDUNDANT_ALLOCATION,
845846
&types::TYPE_COMPLEXITY,
846847
&types::UNIT_ARG,
@@ -1490,6 +1491,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
14901491
LintId::of(&types::CHAR_LIT_AS_U8),
14911492
LintId::of(&types::FN_TO_NUMERIC_CAST),
14921493
LintId::of(&types::FN_TO_NUMERIC_CAST_WITH_TRUNCATION),
1494+
LintId::of(&types::RC_BUFFER),
14931495
LintId::of(&types::REDUNDANT_ALLOCATION),
14941496
LintId::of(&types::TYPE_COMPLEXITY),
14951497
LintId::of(&types::UNIT_ARG),
@@ -1791,6 +1793,7 @@ pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf:
17911793
LintId::of(&slow_vector_initialization::SLOW_VECTOR_INITIALIZATION),
17921794
LintId::of(&stable_sort_primitive::STABLE_SORT_PRIMITIVE),
17931795
LintId::of(&types::BOX_VEC),
1796+
LintId::of(&types::RC_BUFFER),
17941797
LintId::of(&types::REDUNDANT_ALLOCATION),
17951798
LintId::of(&vec::USELESS_VEC),
17961799
]);

clippy_lints/src/types.rs

+123-1
Original file line numberDiff line numberDiff line change
@@ -215,11 +215,41 @@ declare_clippy_lint! {
215215
"redundant allocation"
216216
}
217217

218+
declare_clippy_lint! {
219+
/// **What it does:** Checks for Rc<T> and Arc<T> when T is a mutable buffer type such as String or Vec
220+
///
221+
/// **Why is this bad?** Expressions such as Rc<String> have no advantage over Rc<str>, since
222+
/// it is larger and involves an extra level of indirection, and doesn't implement Borrow<str>.
223+
///
224+
/// While mutating a buffer type would still be possible with Rc::get_mut(), it only
225+
/// works if there are no additional references yet, which defeats the purpose of
226+
/// enclosing it in a shared ownership type. Instead, additionally wrapping the inner
227+
/// type with an interior mutable container (such as RefCell or Mutex) would normally
228+
/// be used.
229+
///
230+
/// **Known problems:** None.
231+
///
232+
/// **Example:**
233+
/// ```rust,ignore
234+
/// # use std::rc::Rc;
235+
/// fn foo(interned: Rc<String>) { ... }
236+
/// ```
237+
///
238+
/// Better:
239+
///
240+
/// ```rust,ignore
241+
/// fn foo(interned: Rc<str>) { ... }
242+
/// ```
243+
pub RC_BUFFER,
244+
perf,
245+
"shared ownership of a buffer type"
246+
}
247+
218248
pub struct Types {
219249
vec_box_size_threshold: u64,
220250
}
221251

222-
impl_lint_pass!(Types => [BOX_VEC, VEC_BOX, OPTION_OPTION, LINKEDLIST, BORROWED_BOX, REDUNDANT_ALLOCATION]);
252+
impl_lint_pass!(Types => [BOX_VEC, VEC_BOX, OPTION_OPTION, LINKEDLIST, BORROWED_BOX, REDUNDANT_ALLOCATION, RC_BUFFER]);
223253

224254
impl<'tcx> LateLintPass<'tcx> for Types {
225255
fn check_fn(&mut self, cx: &LateContext<'_>, _: FnKind<'_>, decl: &FnDecl<'_>, _: &Body<'_>, _: Span, id: HirId) {
@@ -272,6 +302,19 @@ fn match_type_parameter(cx: &LateContext<'_>, qpath: &QPath<'_>, path: &[&str])
272302
None
273303
}
274304

305+
fn match_buffer_type(cx: &LateContext<'_>, qpath: &QPath<'_>) -> Option<&'static str> {
306+
if match_type_parameter(cx, qpath, &paths::STRING).is_some() {
307+
return Some("str");
308+
}
309+
if match_type_parameter(cx, qpath, &paths::OS_STRING).is_some() {
310+
return Some("std::ffi::OsStr");
311+
}
312+
if match_type_parameter(cx, qpath, &paths::PATH_BUF).is_some() {
313+
return Some("std::path::Path");
314+
}
315+
None
316+
}
317+
275318
fn match_borrows_parameter(_cx: &LateContext<'_>, qpath: &QPath<'_>) -> Option<Span> {
276319
let last = last_path_segment(qpath);
277320
if_chain! {
@@ -385,6 +428,45 @@ impl Types {
385428
);
386429
return; // don't recurse into the type
387430
}
431+
if let Some(alternate) = match_buffer_type(cx, qpath) {
432+
span_lint_and_sugg(
433+
cx,
434+
RC_BUFFER,
435+
hir_ty.span,
436+
"usage of `Rc<T>` when T is a buffer type",
437+
"try",
438+
format!("Rc<{}>", alternate),
439+
Applicability::MachineApplicable,
440+
);
441+
return; // don't recurse into the type
442+
}
443+
if match_type_parameter(cx, qpath, &paths::VEC).is_some() {
444+
let vec_ty = match &last_path_segment(qpath).args.unwrap().args[0] {
445+
GenericArg::Type(ty) => match &ty.kind {
446+
TyKind::Path(qpath) => qpath,
447+
_ => return,
448+
},
449+
_ => return,
450+
};
451+
let inner_span = match &last_path_segment(&vec_ty).args.unwrap().args[0] {
452+
GenericArg::Type(ty) => ty.span,
453+
_ => return,
454+
};
455+
let mut applicability = Applicability::MachineApplicable;
456+
span_lint_and_sugg(
457+
cx,
458+
RC_BUFFER,
459+
hir_ty.span,
460+
"usage of `Rc<T>` when T is a buffer type",
461+
"try",
462+
format!(
463+
"Rc<[{}]>",
464+
snippet_with_applicability(cx, inner_span, "..", &mut applicability)
465+
),
466+
Applicability::MachineApplicable,
467+
);
468+
return; // don't recurse into the type
469+
}
388470
if let Some(span) = match_borrows_parameter(cx, qpath) {
389471
let mut applicability = Applicability::MachineApplicable;
390472
span_lint_and_sugg(
@@ -398,6 +480,46 @@ impl Types {
398480
);
399481
return; // don't recurse into the type
400482
}
483+
} else if cx.tcx.is_diagnostic_item(sym::Arc, def_id) {
484+
if let Some(alternate) = match_buffer_type(cx, qpath) {
485+
span_lint_and_sugg(
486+
cx,
487+
RC_BUFFER,
488+
hir_ty.span,
489+
"usage of `Arc<T>` when T is a buffer type",
490+
"try",
491+
format!("Arc<{}>", alternate),
492+
Applicability::MachineApplicable,
493+
);
494+
return; // don't recurse into the type
495+
}
496+
if match_type_parameter(cx, qpath, &paths::VEC).is_some() {
497+
let vec_ty = match &last_path_segment(qpath).args.unwrap().args[0] {
498+
GenericArg::Type(ty) => match &ty.kind {
499+
TyKind::Path(qpath) => qpath,
500+
_ => return,
501+
},
502+
_ => return,
503+
};
504+
let inner_span = match &last_path_segment(&vec_ty).args.unwrap().args[0] {
505+
GenericArg::Type(ty) => ty.span,
506+
_ => return,
507+
};
508+
let mut applicability = Applicability::MachineApplicable;
509+
span_lint_and_sugg(
510+
cx,
511+
RC_BUFFER,
512+
hir_ty.span,
513+
"usage of `Arc<T>` when T is a buffer type",
514+
"try",
515+
format!(
516+
"Arc<[{}]>",
517+
snippet_with_applicability(cx, inner_span, "..", &mut applicability)
518+
),
519+
Applicability::MachineApplicable,
520+
);
521+
return; // don't recurse into the type
522+
}
401523
} else if cx.tcx.is_diagnostic_item(sym!(vec_type), def_id) {
402524
if_chain! {
403525
// Get the _ part of Vec<_>

clippy_lints/src/utils/paths.rs

+1
Original file line numberDiff line numberDiff line change
@@ -113,6 +113,7 @@ pub const STD_CONVERT_IDENTITY: [&str; 3] = ["std", "convert", "identity"];
113113
pub const STD_FS_CREATE_DIR: [&str; 3] = ["std", "fs", "create_dir"];
114114
pub const STD_MEM_TRANSMUTE: [&str; 3] = ["std", "mem", "transmute"];
115115
pub const STD_PTR_NULL: [&str; 3] = ["std", "ptr", "null"];
116+
pub const STRING: [&str; 3] = ["alloc", "string", "String"];
116117
pub const STRING_AS_MUT_STR: [&str; 4] = ["alloc", "string", "String", "as_mut_str"];
117118
pub const STRING_AS_STR: [&str; 4] = ["alloc", "string", "String", "as_str"];
118119
pub const STR_ENDS_WITH: [&str; 4] = ["core", "str", "<impl str>", "ends_with"];

src/lintlist/mod.rs

+7
Original file line numberDiff line numberDiff line change
@@ -1865,6 +1865,13 @@ pub static ref ALL_LINTS: Vec<Lint> = vec![
18651865
deprecation: None,
18661866
module: "ranges",
18671867
},
1868+
Lint {
1869+
name: "rc_buffer",
1870+
group: "perf",
1871+
desc: "shared ownership of a buffer type",
1872+
deprecation: None,
1873+
module: "types",
1874+
},
18681875
Lint {
18691876
name: "redundant_allocation",
18701877
group: "perf",

tests/ui/rc_buffer.rs

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
#![warn(clippy::rc_buffer)]
2+
3+
use std::cell::RefCell;
4+
use std::ffi::OsString;
5+
use std::path::PathBuf;
6+
use std::rc::Rc;
7+
8+
struct S {
9+
// triggers lint
10+
bad1: Rc<String>,
11+
bad2: Rc<PathBuf>,
12+
bad3: Rc<Vec<u8>>,
13+
bad4: Rc<OsString>,
14+
// does not trigger lint
15+
good1: Rc<RefCell<String>>,
16+
}
17+
18+
// triggers lint
19+
fn func_bad1(_: Rc<String>) {}
20+
fn func_bad2(_: Rc<PathBuf>) {}
21+
fn func_bad3(_: Rc<Vec<u8>>) {}
22+
fn func_bad4(_: Rc<OsString>) {}
23+
// does not trigger lint
24+
fn func_good1(_: Rc<RefCell<String>>) {}
25+
26+
fn main() {}

tests/ui/rc_buffer.stderr

+52
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,52 @@
1+
error: usage of `Rc<T>` when T is a buffer type
2+
--> $DIR/rc_buffer.rs:10:11
3+
|
4+
LL | bad1: Rc<String>,
5+
| ^^^^^^^^^^ help: try: `Rc<str>`
6+
|
7+
= note: `-D clippy::rc-buffer` implied by `-D warnings`
8+
9+
error: usage of `Rc<T>` when T is a buffer type
10+
--> $DIR/rc_buffer.rs:11:11
11+
|
12+
LL | bad2: Rc<PathBuf>,
13+
| ^^^^^^^^^^^ help: try: `Rc<std::path::Path>`
14+
15+
error: usage of `Rc<T>` when T is a buffer type
16+
--> $DIR/rc_buffer.rs:12:11
17+
|
18+
LL | bad3: Rc<Vec<u8>>,
19+
| ^^^^^^^^^^^ help: try: `Rc<[u8]>`
20+
21+
error: usage of `Rc<T>` when T is a buffer type
22+
--> $DIR/rc_buffer.rs:13:11
23+
|
24+
LL | bad4: Rc<OsString>,
25+
| ^^^^^^^^^^^^ help: try: `Rc<std::ffi::OsStr>`
26+
27+
error: usage of `Rc<T>` when T is a buffer type
28+
--> $DIR/rc_buffer.rs:19:17
29+
|
30+
LL | fn func_bad1(_: Rc<String>) {}
31+
| ^^^^^^^^^^ help: try: `Rc<str>`
32+
33+
error: usage of `Rc<T>` when T is a buffer type
34+
--> $DIR/rc_buffer.rs:20:17
35+
|
36+
LL | fn func_bad2(_: Rc<PathBuf>) {}
37+
| ^^^^^^^^^^^ help: try: `Rc<std::path::Path>`
38+
39+
error: usage of `Rc<T>` when T is a buffer type
40+
--> $DIR/rc_buffer.rs:21:17
41+
|
42+
LL | fn func_bad3(_: Rc<Vec<u8>>) {}
43+
| ^^^^^^^^^^^ help: try: `Rc<[u8]>`
44+
45+
error: usage of `Rc<T>` when T is a buffer type
46+
--> $DIR/rc_buffer.rs:22:17
47+
|
48+
LL | fn func_bad4(_: Rc<OsString>) {}
49+
| ^^^^^^^^^^^^ help: try: `Rc<std::ffi::OsStr>`
50+
51+
error: aborting due to 8 previous errors
52+

tests/ui/rc_buffer_arc.rs

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
#![warn(clippy::rc_buffer)]
2+
3+
use std::ffi::OsString;
4+
use std::path::PathBuf;
5+
use std::sync::{Arc, Mutex};
6+
7+
struct S {
8+
// triggers lint
9+
bad1: Arc<String>,
10+
bad2: Arc<PathBuf>,
11+
bad3: Arc<Vec<u8>>,
12+
bad4: Arc<OsString>,
13+
// does not trigger lint
14+
good1: Arc<Mutex<String>>,
15+
}
16+
17+
// triggers lint
18+
fn func_bad1(_: Arc<String>) {}
19+
fn func_bad2(_: Arc<PathBuf>) {}
20+
fn func_bad3(_: Arc<Vec<u8>>) {}
21+
fn func_bad4(_: Arc<OsString>) {}
22+
// does not trigger lint
23+
fn func_good1(_: Arc<Mutex<String>>) {}
24+
25+
fn main() {}

tests/ui/rc_buffer_arc.stderr

+52
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,52 @@
1+
error: usage of `Arc<T>` when T is a buffer type
2+
--> $DIR/rc_buffer_arc.rs:9:11
3+
|
4+
LL | bad1: Arc<String>,
5+
| ^^^^^^^^^^^ help: try: `Arc<str>`
6+
|
7+
= note: `-D clippy::rc-buffer` implied by `-D warnings`
8+
9+
error: usage of `Arc<T>` when T is a buffer type
10+
--> $DIR/rc_buffer_arc.rs:10:11
11+
|
12+
LL | bad2: Arc<PathBuf>,
13+
| ^^^^^^^^^^^^ help: try: `Arc<std::path::Path>`
14+
15+
error: usage of `Arc<T>` when T is a buffer type
16+
--> $DIR/rc_buffer_arc.rs:11:11
17+
|
18+
LL | bad3: Arc<Vec<u8>>,
19+
| ^^^^^^^^^^^^ help: try: `Arc<[u8]>`
20+
21+
error: usage of `Arc<T>` when T is a buffer type
22+
--> $DIR/rc_buffer_arc.rs:12:11
23+
|
24+
LL | bad4: Arc<OsString>,
25+
| ^^^^^^^^^^^^^ help: try: `Arc<std::ffi::OsStr>`
26+
27+
error: usage of `Arc<T>` when T is a buffer type
28+
--> $DIR/rc_buffer_arc.rs:18:17
29+
|
30+
LL | fn func_bad1(_: Arc<String>) {}
31+
| ^^^^^^^^^^^ help: try: `Arc<str>`
32+
33+
error: usage of `Arc<T>` when T is a buffer type
34+
--> $DIR/rc_buffer_arc.rs:19:17
35+
|
36+
LL | fn func_bad2(_: Arc<PathBuf>) {}
37+
| ^^^^^^^^^^^^ help: try: `Arc<std::path::Path>`
38+
39+
error: usage of `Arc<T>` when T is a buffer type
40+
--> $DIR/rc_buffer_arc.rs:20:17
41+
|
42+
LL | fn func_bad3(_: Arc<Vec<u8>>) {}
43+
| ^^^^^^^^^^^^ help: try: `Arc<[u8]>`
44+
45+
error: usage of `Arc<T>` when T is a buffer type
46+
--> $DIR/rc_buffer_arc.rs:21:17
47+
|
48+
LL | fn func_bad4(_: Arc<OsString>) {}
49+
| ^^^^^^^^^^^^^ help: try: `Arc<std::ffi::OsStr>`
50+
51+
error: aborting due to 8 previous errors
52+
+12
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
#![warn(clippy::rc_buffer)]
2+
3+
use std::rc::Rc;
4+
5+
struct String;
6+
7+
struct S {
8+
// does not trigger lint
9+
good1: Rc<String>,
10+
}
11+
12+
fn main() {}

tests/ui/rc_buffer_redefined_string.stderr

Whitespace-only changes.

0 commit comments

Comments
 (0)