1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
use super::*;
use crate::ast_util::{purge_trivia, range, HasSideEffects};
use std::convert::Infallible;
use full_moon::{
ast::{self, Ast},
visitors::Visitor,
};
pub struct AlmostSwappedLint;
impl Rule for AlmostSwappedLint {
type Config = ();
type Error = Infallible;
fn new(_: Self::Config) -> Result<Self, Self::Error> {
Ok(AlmostSwappedLint)
}
fn pass(&self, ast: &Ast, _: &Context) -> Vec<Diagnostic> {
let mut visitor = AlmostSwappedVisitor {
almost_swaps: Vec::new(),
};
visitor.visit_ast(&purge_trivia(ast.to_owned()));
visitor
.almost_swaps
.iter()
.map(|almost_swap| {
Diagnostic::new_complete(
"almost_swapped",
format!(
"this looks like you are trying to swap `{}` and `{}`",
(almost_swap.names.0),
(almost_swap.names.1),
),
Label::new(almost_swap.range),
vec![format!(
"try: `{name1}, {name2} = {name2}, {name1}`",
name1 = almost_swap.names.0,
name2 = almost_swap.names.1,
)],
Vec::new(),
)
})
.collect()
}
fn severity(&self) -> Severity {
Severity::Error
}
fn rule_type(&self) -> RuleType {
RuleType::Correctness
}
}
struct AlmostSwappedVisitor {
almost_swaps: Vec<AlmostSwap>,
}
struct AlmostSwap {
names: (String, String),
range: (usize, usize),
}
impl Visitor for AlmostSwappedVisitor {
fn visit_block(&mut self, block: &ast::Block) {
let mut last_swap: Option<AlmostSwap> = None;
for stmt in block.stmts() {
if let ast::Stmt::Assignment(assignment) = stmt {
let expressions = assignment.expressions();
let variables = assignment.variables();
if variables.len() == 1 && expressions.len() == 1 {
let expr = expressions.into_iter().next().unwrap();
let var = variables.into_iter().next().unwrap();
if !var.has_side_effects() {
let expr_end = range(expr).1;
let expr_text = expr.to_string().trim().to_owned();
let var_text = var.to_string().trim().to_owned();
if let Some(last_swap) = last_swap.take() {
if last_swap.names.0 == expr_text && last_swap.names.1 == var_text {
self.almost_swaps.push(AlmostSwap {
names: last_swap.names.to_owned(),
range: (last_swap.range.0, expr_end),
});
}
} else {
last_swap = Some(AlmostSwap {
names: (var_text, expr_text),
range: range(stmt),
});
}
continue;
}
}
}
last_swap = None;
}
}
}
#[cfg(test)]
mod tests {
use super::{super::test_util::test_lint, *};
#[test]
fn test_almost_swapped() {
test_lint(
AlmostSwappedLint::new(()).unwrap(),
"almost_swapped",
"almost_swapped",
);
}
#[test]
fn test_almost_swapped_panic() {
test_lint(
AlmostSwappedLint::new(()).unwrap(),
"almost_swapped",
"panic",
);
}
}