rust/crates/ide_assists/src/handlers/remove_dbg.rs

358 lines
10 KiB
Rust
Raw Normal View History

use itertools::Itertools;
2020-08-12 11:26:51 -05:00
use syntax::{
ast::{self, AstNode, AstToken},
match_ast, NodeOrToken, SyntaxElement, TextRange, TextSize, T,
};
2020-06-28 17:36:05 -05:00
use crate::{AssistContext, AssistId, AssistKind, Assists};
2019-10-27 04:22:53 -05:00
// Assist: remove_dbg
//
// Removes `dbg!()` macro call.
//
// ```
// fn main() {
2021-01-06 14:15:48 -06:00
// $0dbg!(92);
2019-10-27 04:22:53 -05:00
// }
// ```
// ->
// ```
// fn main() {
// 92;
// }
// ```
pub(crate) fn remove_dbg(acc: &mut Assists, ctx: &AssistContext) -> Option<()> {
let macro_call = ctx.find_node_at_offset::<ast::MacroCall>()?;
let tt = macro_call.token_tree()?;
let r_delim = NodeOrToken::Token(tt.right_delimiter_token()?);
if macro_call.path()?.segment()?.name_ref()?.text() != "dbg"
|| macro_call.excl_token().is_none()
{
return None;
}
let mac_input = tt.syntax().children_with_tokens().skip(1).take_while(|it| *it != r_delim);
let input_expressions = mac_input.into_iter().group_by(|tok| tok.kind() == T![,]);
let input_expressions = input_expressions
.into_iter()
.filter_map(|(is_sep, group)| (!is_sep).then(|| group))
.map(|mut tokens| ast::Expr::parse(&tokens.join("")))
.collect::<Result<Vec<ast::Expr>, _>>()
.ok()?;
let parent = macro_call.syntax().parent()?;
let parent_is_let_stmt = ast::LetStmt::can_cast(parent.kind());
let (range, text) = match &*input_expressions {
// dbg!()
[] => {
match_ast! {
match parent {
ast::BlockExpr(__) => {
let range = macro_call.syntax().text_range();
let range = match whitespace_start(macro_call.syntax().prev_sibling_or_token()) {
Some(start) => range.cover_offset(start),
None => range,
};
(range, String::new())
},
ast::ExprStmt(it) => {
let range = it.syntax().text_range();
let range = match whitespace_start(it.syntax().prev_sibling_or_token()) {
Some(start) => range.cover_offset(start),
None => range,
};
(range, String::new())
},
_ => (macro_call.syntax().text_range(), "()".to_owned())
}
}
}
// dbg!(expr0)
[expr] => {
let wrap = match ast::Expr::cast(parent) {
Some(parent) => match (expr, parent) {
(ast::Expr::CastExpr(_), ast::Expr::CastExpr(_)) => false,
(
ast::Expr::BoxExpr(_) | ast::Expr::PrefixExpr(_) | ast::Expr::RefExpr(_),
ast::Expr::AwaitExpr(_)
| ast::Expr::BinExpr(_)
| ast::Expr::CallExpr(_)
| ast::Expr::CastExpr(_)
| ast::Expr::FieldExpr(_)
| ast::Expr::IndexExpr(_)
| ast::Expr::MethodCallExpr(_)
| ast::Expr::RangeExpr(_)
| ast::Expr::TryExpr(_),
) => true,
(
ast::Expr::BinExpr(_) | ast::Expr::CastExpr(_) | ast::Expr::RangeExpr(_),
ast::Expr::AwaitExpr(_)
| ast::Expr::BinExpr(_)
| ast::Expr::CallExpr(_)
| ast::Expr::CastExpr(_)
| ast::Expr::FieldExpr(_)
| ast::Expr::IndexExpr(_)
| ast::Expr::MethodCallExpr(_)
| ast::Expr::PrefixExpr(_)
| ast::Expr::RangeExpr(_)
| ast::Expr::RefExpr(_)
| ast::Expr::TryExpr(_),
) => true,
_ => false,
},
None => false,
};
(
macro_call.syntax().text_range(),
if wrap { format!("({})", expr) } else { expr.to_string() },
)
}
// dbg!(expr0, expr1, ...)
exprs => (macro_call.syntax().text_range(), format!("({})", exprs.iter().format(","))),
};
let range = if macro_call.semicolon_token().is_some() && parent_is_let_stmt {
TextRange::new(range.start(), range.end() - TextSize::of(";"))
2021-03-27 04:17:17 -05:00
} else {
range
};
acc.add(AssistId("remove_dbg", AssistKind::Refactor), "Remove dbg!()", range, |builder| {
builder.replace(range, text);
})
}
fn whitespace_start(it: Option<SyntaxElement>) -> Option<TextSize> {
Some(it?.into_token().and_then(ast::Whitespace::cast)?.syntax().text_range().start())
}
#[cfg(test)]
mod tests {
use crate::tests::{check_assist, check_assist_not_applicable};
use super::*;
fn check(ra_fixture_before: &str, ra_fixture_after: &str) {
check_assist(
remove_dbg,
&format!("fn main() {{\n{}\n}}", ra_fixture_before),
&format!("fn main() {{\n{}\n}}", ra_fixture_after),
);
}
#[test]
fn test_remove_dbg() {
check("$0dbg!(1 + 1)", "1 + 1");
check("dbg!$0((1 + 1))", "(1 + 1)");
check("dbg!(1 $0+ 1)", "1 + 1");
check("let _ = $0dbg!(1 + 1)", "let _ = 1 + 1");
check(
"if let Some(_) = dbg!(n.$0checked_sub(4)) {}",
"if let Some(_) = n.checked_sub(4) {}",
);
check("$0dbg!(Foo::foo_test()).bar()", "Foo::foo_test().bar()");
}
#[test]
fn test_remove_dbg_with_brackets_and_braces() {
check("dbg![$01 + 1]", "1 + 1");
check("dbg!{$01 + 1}", "1 + 1");
}
2019-02-08 17:34:05 -06:00
#[test]
fn test_remove_dbg_not_applicable() {
check_assist_not_applicable(remove_dbg, "fn main() {$0vec![1, 2, 3]}");
check_assist_not_applicable(remove_dbg, "fn main() {$0dbg(5, 6, 7)}");
check_assist_not_applicable(remove_dbg, "fn main() {$0dbg!(5, 6, 7}");
2019-02-08 17:34:05 -06:00
}
2020-07-24 12:57:40 -05:00
#[test]
fn test_remove_dbg_keep_semicolon() {
2020-07-24 12:57:40 -05:00
// https://github.com/rust-analyzer/rust-analyzer/issues/5129#issuecomment-651399779
// not quite though
// adding a comment at the end of the line makes
// the ast::MacroCall to include the semicolon at the end
check(
2021-01-06 14:15:48 -06:00
r#"let res = $0dbg!(1 * 20); // needless comment"#,
r#"let res = 1 * 20; // needless comment"#,
);
2020-07-24 12:57:40 -05:00
}
#[test]
fn remove_dbg_from_non_leaf_simple_expression() {
check_assist(
remove_dbg,
r"
fn main() {
let mut a = 1;
2021-01-06 14:15:48 -06:00
while dbg!$0(a) < 10000 {
a += 1;
}
}
",
r"
fn main() {
let mut a = 1;
while a < 10000 {
a += 1;
}
}
",
);
}
2020-07-24 12:57:40 -05:00
#[test]
fn test_remove_dbg_keep_expression() {
check(r#"let res = $0dbg!(a + b).foo();"#, r#"let res = (a + b).foo();"#);
check(r#"let res = $0dbg!(2 + 2) * 5"#, r#"let res = (2 + 2) * 5"#);
check(r#"let res = $0dbg![2 + 2] * 5"#, r#"let res = (2 + 2) * 5"#);
2020-07-24 12:57:40 -05:00
}
#[test]
fn test_remove_dbg_method_chaining() {
check(r#"let res = $0dbg!(foo().bar()).baz();"#, r#"let res = foo().bar().baz();"#);
check(r#"let res = $0dbg!(foo.bar()).baz();"#, r#"let res = foo.bar().baz();"#);
}
#[test]
fn test_remove_dbg_field_chaining() {
check(r#"let res = $0dbg!(foo.bar).baz;"#, r#"let res = foo.bar.baz;"#);
}
#[test]
fn test_remove_dbg_from_inside_fn() {
check_assist(
remove_dbg,
r#"
fn square(x: u32) -> u32 {
x * x
}
fn main() {
2021-01-06 14:15:48 -06:00
let x = square(dbg$0!(5 + 10));
println!("{}", x);
}"#,
r#"
fn square(x: u32) -> u32 {
x * x
}
fn main() {
let x = square(5 + 10);
println!("{}", x);
}"#,
);
}
2020-10-25 09:12:21 -05:00
#[test]
fn test_remove_dbg_try_expr() {
check(r#"let res = $0dbg!(result?).foo();"#, r#"let res = result?.foo();"#);
2020-10-25 09:12:21 -05:00
}
#[test]
fn test_remove_dbg_await_expr() {
check(r#"let res = $0dbg!(fut.await).foo();"#, r#"let res = fut.await.foo();"#);
2020-10-25 09:12:21 -05:00
}
#[test]
fn test_remove_dbg_as_cast() {
check(r#"let res = $0dbg!(3 as usize).foo();"#, r#"let res = (3 as usize).foo();"#);
2020-10-25 09:12:21 -05:00
}
#[test]
fn test_remove_dbg_index_expr() {
check(r#"let res = $0dbg!(array[3]).foo();"#, r#"let res = array[3].foo();"#);
check(r#"let res = $0dbg!(tuple.3).foo();"#, r#"let res = tuple.3.foo();"#);
2020-10-25 09:12:21 -05:00
}
#[test]
fn test_remove_dbg_range_expr() {
check(r#"let res = $0dbg!(foo..bar).foo();"#, r#"let res = (foo..bar).foo();"#);
check(r#"let res = $0dbg!(foo..=bar).foo();"#, r#"let res = (foo..=bar).foo();"#);
2020-10-25 09:12:21 -05:00
}
#[test]
fn test_remove_dbg_followed_by_block() {
check_assist(
remove_dbg,
r#"fn foo() {
2021-01-06 14:15:48 -06:00
if $0dbg!(x || y) {}
}"#,
r#"fn foo() {
if x || y {}
}"#,
);
check_assist(
remove_dbg,
r#"fn foo() {
2021-01-06 14:15:48 -06:00
while let foo = $0dbg!(&x) {}
}"#,
r#"fn foo() {
while let foo = &x {}
}"#,
);
check_assist(
remove_dbg,
r#"fn foo() {
2021-01-06 14:15:48 -06:00
if let foo = $0dbg!(&x) {}
}"#,
r#"fn foo() {
if let foo = &x {}
}"#,
);
check_assist(
remove_dbg,
r#"fn foo() {
2021-01-06 14:15:48 -06:00
match $0dbg!(&x) {}
}"#,
r#"fn foo() {
match &x {}
}"#,
);
}
#[test]
fn test_remove_empty_dbg() {
check_assist(remove_dbg, r#"fn foo() { $0dbg!(); }"#, r#"fn foo() { }"#);
check_assist(
remove_dbg,
r#"
fn foo() {
$0dbg!();
}
"#,
r#"
fn foo() {
}
"#,
);
check_assist(
remove_dbg,
r#"
fn foo() {
let test = $0dbg!();
}"#,
r#"
fn foo() {
let test = ();
}"#,
);
check_assist(
remove_dbg,
r#"
fn foo() {
let t = {
println!("Hello, world");
$0dbg!()
};
}"#,
r#"
fn foo() {
let t = {
println!("Hello, world");
};
}"#,
);
}
}