Auto merge of #15410 - alibektas:15240/invalid-demorgan, r=Veykril

internal : rewrite DeMorgan assist

fixes #15239 , #15240 . This PR is a rewrite of the DeMorgan assist that essentially rids of all the string manipulation and modifies syntax trees to apply demorgan on a binary expr. The main reason for the rewrite is that I wanted to use `Expr::needs_parens_in` method to see if the expr on which the assist is applied would still need the parens it had once the parent expression's operator had equal precedence with that of the expression. I used `.clone_(subtree|for_update)` left and right and probably more than I should have, so I would also be happy to hear how I could have prevented redundant cloning.
This commit is contained in:
bors 2023-08-15 07:29:28 +00:00
commit 7ca45dcf04
2 changed files with 107 additions and 83 deletions

View file

@ -1,6 +1,10 @@
use std::collections::VecDeque; use std::collections::VecDeque;
use syntax::ast::{self, AstNode}; use syntax::{
ast::{self, AstNode, Expr::BinExpr},
ted::{self, Position},
SyntaxKind,
};
use crate::{utils::invert_boolean_expression, AssistContext, AssistId, AssistKind, Assists}; use crate::{utils::invert_boolean_expression, AssistContext, AssistId, AssistKind, Assists};
@ -23,121 +27,117 @@ use crate::{utils::invert_boolean_expression, AssistContext, AssistId, AssistKin
// } // }
// ``` // ```
pub(crate) fn apply_demorgan(acc: &mut Assists, ctx: &AssistContext<'_>) -> Option<()> { pub(crate) fn apply_demorgan(acc: &mut Assists, ctx: &AssistContext<'_>) -> Option<()> {
let expr = ctx.find_node_at_offset::<ast::BinExpr>()?; let mut bin_expr = ctx.find_node_at_offset::<ast::BinExpr>()?;
let op = expr.op_kind()?; let op = bin_expr.op_kind()?;
let op_range = expr.op_token()?.text_range(); let op_range = bin_expr.op_token()?.text_range();
let opposite_op = match op { // Is the cursor on the expression's logical operator?
ast::BinaryOp::LogicOp(ast::LogicOp::And) => "||", if !op_range.contains_range(ctx.selection_trimmed()) {
ast::BinaryOp::LogicOp(ast::LogicOp::Or) => "&&",
_ => return None,
};
let cursor_in_range = op_range.contains_range(ctx.selection_trimmed());
if !cursor_in_range {
return None; return None;
} }
let mut expr = expr;
// Walk up the tree while we have the same binary operator // Walk up the tree while we have the same binary operator
while let Some(parent_expr) = expr.syntax().parent().and_then(ast::BinExpr::cast) { while let Some(parent_expr) = bin_expr.syntax().parent().and_then(ast::BinExpr::cast) {
match expr.op_kind() { match parent_expr.op_kind() {
Some(parent_op) if parent_op == op => { Some(parent_op) if parent_op == op => {
expr = parent_expr; bin_expr = parent_expr;
} }
_ => break, _ => break,
} }
} }
let mut expr_stack = vec![expr.clone()]; let op = bin_expr.op_kind()?;
let mut terms = Vec::new(); let inv_token = match op {
let mut op_ranges = Vec::new(); ast::BinaryOp::LogicOp(ast::LogicOp::And) => SyntaxKind::PIPE2,
ast::BinaryOp::LogicOp(ast::LogicOp::Or) => SyntaxKind::AMP2,
_ => return None,
};
// Find all the children with the same binary operator let demorganed = bin_expr.clone_subtree().clone_for_update();
while let Some(expr) = expr_stack.pop() {
let mut traverse_bin_expr_arm = |expr| { ted::replace(demorganed.op_token()?, ast::make::token(inv_token));
if let ast::Expr::BinExpr(bin_expr) = expr { let mut exprs = VecDeque::from(vec![
if let Some(expr_op) = bin_expr.op_kind() { (bin_expr.lhs()?, demorganed.lhs()?),
if expr_op == op { (bin_expr.rhs()?, demorganed.rhs()?),
expr_stack.push(bin_expr); ]);
} else {
terms.push(ast::Expr::BinExpr(bin_expr)); while let Some((expr, dm)) = exprs.pop_front() {
} if let BinExpr(bin_expr) = &expr {
if let BinExpr(cbin_expr) = &dm {
if op == bin_expr.op_kind()? {
ted::replace(cbin_expr.op_token()?, ast::make::token(inv_token));
exprs.push_back((bin_expr.lhs()?, cbin_expr.lhs()?));
exprs.push_back((bin_expr.rhs()?, cbin_expr.rhs()?));
} else { } else {
terms.push(ast::Expr::BinExpr(bin_expr)); let mut inv = invert_boolean_expression(expr);
if inv.needs_parens_in(dm.syntax().parent()?) {
inv = ast::make::expr_paren(inv).clone_for_update();
}
ted::replace(dm.syntax(), inv.syntax());
} }
} else { } else {
terms.push(expr); return None;
} }
}; } else {
let mut inv = invert_boolean_expression(dm.clone_subtree()).clone_for_update();
op_ranges.extend(expr.op_token().map(|t| t.text_range())); if inv.needs_parens_in(dm.syntax().parent()?) {
traverse_bin_expr_arm(expr.lhs()?); inv = ast::make::expr_paren(inv).clone_for_update();
traverse_bin_expr_arm(expr.rhs()?); }
ted::replace(dm.syntax(), inv.syntax());
}
} }
let dm_lhs = demorganed.lhs()?;
acc.add( acc.add(
AssistId("apply_demorgan", AssistKind::RefactorRewrite), AssistId("apply_demorgan", AssistKind::RefactorRewrite),
"Apply De Morgan's law", "Apply De Morgan's law",
op_range, op_range,
|edit| { |edit| {
terms.sort_by_key(|t| t.syntax().text_range().start()); let paren_expr = bin_expr.syntax().parent().and_then(ast::ParenExpr::cast);
let mut terms = VecDeque::from(terms);
let paren_expr = expr.syntax().parent().and_then(ast::ParenExpr::cast);
let neg_expr = paren_expr let neg_expr = paren_expr
.clone() .clone()
.and_then(|paren_expr| paren_expr.syntax().parent()) .and_then(|paren_expr| paren_expr.syntax().parent())
.and_then(ast::PrefixExpr::cast) .and_then(ast::PrefixExpr::cast)
.and_then(|prefix_expr| { .and_then(|prefix_expr| {
if prefix_expr.op_kind().unwrap() == ast::UnaryOp::Not { if prefix_expr.op_kind()? == ast::UnaryOp::Not {
Some(prefix_expr) Some(prefix_expr)
} else { } else {
None None
} }
}); });
for op_range in op_ranges {
edit.replace(op_range, opposite_op);
}
if let Some(paren_expr) = paren_expr { if let Some(paren_expr) = paren_expr {
for term in terms {
let range = term.syntax().text_range();
let not_term = invert_boolean_expression(term);
edit.replace(range, not_term.syntax().text());
}
if let Some(neg_expr) = neg_expr { if let Some(neg_expr) = neg_expr {
cov_mark::hit!(demorgan_double_negation); cov_mark::hit!(demorgan_double_negation);
edit.replace(neg_expr.op_token().unwrap().text_range(), ""); edit.replace_ast(ast::Expr::PrefixExpr(neg_expr), demorganed.into());
} else { } else {
cov_mark::hit!(demorgan_double_parens); cov_mark::hit!(demorgan_double_parens);
edit.replace(paren_expr.l_paren_token().unwrap().text_range(), "!("); ted::insert_all_raw(
Position::before(dm_lhs.syntax()),
vec![
syntax::NodeOrToken::Token(ast::make::token(SyntaxKind::BANG)),
syntax::NodeOrToken::Token(ast::make::token(SyntaxKind::L_PAREN)),
],
);
ted::append_child_raw(
demorganed.syntax(),
syntax::NodeOrToken::Token(ast::make::token(SyntaxKind::R_PAREN)),
);
edit.replace_ast(ast::Expr::ParenExpr(paren_expr), demorganed.into());
} }
} else { } else {
if let Some(lhs) = terms.pop_front() { ted::insert_all_raw(
let lhs_range = lhs.syntax().text_range(); Position::before(dm_lhs.syntax()),
let not_lhs = invert_boolean_expression(lhs); vec![
syntax::NodeOrToken::Token(ast::make::token(SyntaxKind::BANG)),
edit.replace(lhs_range, format!("!({not_lhs}")); syntax::NodeOrToken::Token(ast::make::token(SyntaxKind::L_PAREN)),
} ],
);
if let Some(rhs) = terms.pop_back() { ted::append_child_raw(demorganed.syntax(), ast::make::token(SyntaxKind::R_PAREN));
let rhs_range = rhs.syntax().text_range(); edit.replace_ast(bin_expr, demorganed);
let not_rhs = invert_boolean_expression(rhs);
edit.replace(rhs_range, format!("{not_rhs})"));
}
for term in terms {
let term_range = term.syntax().text_range();
let not_term = invert_boolean_expression(term);
edit.replace(term_range, not_term.to_string());
}
} }
}, },
) )
@ -145,9 +145,8 @@ pub(crate) fn apply_demorgan(acc: &mut Assists, ctx: &AssistContext<'_>) -> Opti
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use crate::tests::{check_assist, check_assist_not_applicable};
use super::*; use super::*;
use crate::tests::{check_assist, check_assist_not_applicable};
#[test] #[test]
fn demorgan_handles_leq() { fn demorgan_handles_leq() {
@ -213,7 +212,7 @@ fn f() { !(S <= S || S < S) }
#[test] #[test]
fn demorgan_doesnt_double_negation() { fn demorgan_doesnt_double_negation() {
cov_mark::check!(demorgan_double_negation); cov_mark::check!(demorgan_double_negation);
check_assist(apply_demorgan, "fn f() { !(x ||$0 x) }", "fn f() { (!x && !x) }") check_assist(apply_demorgan, "fn f() { !(x ||$0 x) }", "fn f() { !x && !x }")
} }
#[test] #[test]
@ -222,13 +221,38 @@ fn f() { !(S <= S || S < S) }
check_assist(apply_demorgan, "fn f() { (x ||$0 x) }", "fn f() { !(!x && !x) }") check_assist(apply_demorgan, "fn f() { (x ||$0 x) }", "fn f() { !(!x && !x) }")
} }
// https://github.com/rust-lang/rust-analyzer/issues/10963 // FIXME : This needs to go.
// // https://github.com/rust-lang/rust-analyzer/issues/10963
// #[test]
// fn demorgan_doesnt_hang() {
// check_assist(
// apply_demorgan,
// "fn f() { 1 || 3 &&$0 4 || 5 }",
// "fn f() { !(!1 || !3 || !4) || 5 }",
// )
// }
#[test] #[test]
fn demorgan_doesnt_hang() { fn demorgan_keep_pars_for_op_precedence() {
check_assist( check_assist(
apply_demorgan, apply_demorgan,
"fn f() { 1 || 3 &&$0 4 || 5 }", "fn main() {
"fn f() { !(!1 || !3 || !4) || 5 }", let _ = !(!a ||$0 !(b || c));
}
",
"fn main() {
let _ = a && (b || c);
}
",
);
}
#[test]
fn demorgan_removes_pars_in_eq_precedence() {
check_assist(
apply_demorgan,
"fn() { let x = a && !(!b |$0| !c); }",
"fn() { let x = a && b && c; }",
) )
} }
} }

View file

@ -1100,7 +1100,7 @@ pub mod tokens {
pub(super) static SOURCE_FILE: Lazy<Parse<SourceFile>> = Lazy::new(|| { pub(super) static SOURCE_FILE: Lazy<Parse<SourceFile>> = Lazy::new(|| {
SourceFile::parse( SourceFile::parse(
"const C: <()>::Item = (1 != 1, 2 == 2, 3 < 3, 4 <= 4, 5 > 5, 6 >= 6, !true, *p, &p , &mut p)\n;\n\n", "const C: <()>::Item = ( true && true , true || true , 1 != 1, 2 == 2, 3 < 3, 4 <= 4, 5 > 5, 6 >= 6, !true, *p, &p , &mut p)\n;\n\n",
) )
}); });