rust/crates/assists/src/handlers/toggle_ignore.rs

99 lines
2.4 KiB
Rust
Raw Normal View History

2020-11-23 13:22:13 -06:00
use syntax::{
ast::{self, AttrsOwner},
AstNode, AstToken,
};
2020-11-17 07:22:04 -06:00
use crate::{utils::test_related_attribute, AssistContext, AssistId, AssistKind, Assists};
2020-11-30 04:45:32 -06:00
// Assist: toggle_ignore
2020-11-17 07:22:04 -06:00
//
// Adds `#[ignore]` attribute to the test.
//
// ```
// <|>#[test]
// fn arithmetics {
// assert_eq!(2 + 2, 5);
// }
// ```
// ->
// ```
// #[test]
// #[ignore]
// fn arithmetics {
// assert_eq!(2 + 2, 5);
// }
// ```
2020-11-30 04:45:32 -06:00
pub(crate) fn toggle_ignore(acc: &mut Assists, ctx: &AssistContext) -> Option<()> {
2020-11-17 07:22:04 -06:00
let attr: ast::Attr = ctx.find_node_at_offset()?;
let func = attr.syntax().parent().and_then(ast::Fn::cast)?;
let attr = test_related_attribute(&func)?;
2020-11-23 13:22:13 -06:00
match has_ignore_attribute(&func) {
None => acc.add(
2020-11-30 04:45:32 -06:00
AssistId("toggle_ignore", AssistKind::None),
2020-11-23 13:22:13 -06:00
"Ignore this test",
attr.syntax().text_range(),
|builder| builder.insert(attr.syntax().text_range().end(), &format!("\n#[ignore]")),
),
Some(ignore_attr) => acc.add(
2020-11-30 04:45:32 -06:00
AssistId("toggle_ignore", AssistKind::None),
2020-11-23 13:22:13 -06:00
"Re-enable this test",
ignore_attr.syntax().text_range(),
|builder| {
builder.delete(ignore_attr.syntax().text_range());
let whitespace = ignore_attr
.syntax()
.next_sibling_or_token()
.and_then(|x| x.into_token())
.and_then(ast::Whitespace::cast);
if let Some(whitespace) = whitespace {
builder.delete(whitespace.syntax().text_range());
}
},
),
}
}
fn has_ignore_attribute(fn_def: &ast::Fn) -> Option<ast::Attr> {
2020-11-30 04:45:32 -06:00
fn_def.attrs().find(|attr| attr.path().map(|it| it.syntax().text() == "ignore") == Some(true))
2020-11-23 13:22:13 -06:00
}
#[cfg(test)]
mod tests {
use crate::tests::check_assist;
2020-11-30 04:45:32 -06:00
use super::*;
2020-11-23 13:22:13 -06:00
#[test]
fn test_base_case() {
check_assist(
2020-11-30 04:45:32 -06:00
toggle_ignore,
2020-11-23 13:22:13 -06:00
r#"
#[test<|>]
fn test() {}
"#,
r#"
#[test]
#[ignore]
fn test() {}
"#,
)
}
#[test]
fn test_unignore() {
check_assist(
2020-11-30 04:45:32 -06:00
toggle_ignore,
2020-11-23 13:22:13 -06:00
r#"
#[test<|>]
#[ignore]
fn test() {}
"#,
r#"
#[test]
fn test() {}
"#,
)
}
2020-11-17 07:22:04 -06:00
}