2019-01-03 12:08:32 +00:00
|
|
|
use ra_syntax::{
|
|
|
|
SyntaxKind::{VISIBILITY, FN_KW, MOD_KW, STRUCT_KW, ENUM_KW, TRAIT_KW, FN_DEF, MODULE, STRUCT_DEF, ENUM_DEF, TRAIT_DEF},
|
|
|
|
};
|
|
|
|
|
2019-01-03 15:59:17 +00:00
|
|
|
use crate::assists::{AssistCtx, Assist};
|
2019-01-03 12:08:32 +00:00
|
|
|
|
2019-01-03 15:59:17 +00:00
|
|
|
pub fn change_visibility(ctx: AssistCtx) -> Option<Assist> {
|
|
|
|
let keyword = ctx.leaf_at_offset().find(|leaf| match leaf.kind() {
|
2019-01-03 12:08:32 +00:00
|
|
|
FN_KW | MOD_KW | STRUCT_KW | ENUM_KW | TRAIT_KW => true,
|
|
|
|
_ => false,
|
|
|
|
})?;
|
|
|
|
let parent = keyword.parent()?;
|
|
|
|
let def_kws = vec![FN_DEF, MODULE, STRUCT_DEF, ENUM_DEF, TRAIT_DEF];
|
2019-01-03 15:59:17 +00:00
|
|
|
// Parent is not a definition, can't add visibility
|
|
|
|
if !def_kws.iter().any(|&def_kw| def_kw == parent.kind()) {
|
|
|
|
return None;
|
|
|
|
}
|
|
|
|
// Already have visibility, do nothing
|
|
|
|
if parent.children().any(|child| child.kind() == VISIBILITY) {
|
|
|
|
return None;
|
|
|
|
}
|
2019-01-03 12:08:32 +00:00
|
|
|
|
2019-01-03 15:59:17 +00:00
|
|
|
let node_start = parent.range().start();
|
|
|
|
ctx.build("make pub crate", |edit| {
|
|
|
|
edit.insert(node_start, "pub(crate) ");
|
|
|
|
edit.set_cursor(node_start);
|
2019-01-03 12:08:32 +00:00
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
2019-01-03 15:59:17 +00:00
|
|
|
use crate::assists::check_assist;
|
2019-01-03 12:08:32 +00:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn test_change_visibility() {
|
2019-01-03 15:59:17 +00:00
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
2019-01-03 12:08:32 +00:00
|
|
|
"<|>fn foo() {}",
|
|
|
|
"<|>pub(crate) fn foo() {}",
|
|
|
|
);
|
2019-01-03 15:59:17 +00:00
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
2019-01-03 12:08:32 +00:00
|
|
|
"f<|>n foo() {}",
|
|
|
|
"<|>pub(crate) fn foo() {}",
|
|
|
|
);
|
2019-01-03 15:59:17 +00:00
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
2019-01-03 12:08:32 +00:00
|
|
|
"<|>struct Foo {}",
|
|
|
|
"<|>pub(crate) struct Foo {}",
|
|
|
|
);
|
2019-01-03 15:59:17 +00:00
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
|
|
|
"<|>mod foo {}",
|
|
|
|
"<|>pub(crate) mod foo {}",
|
|
|
|
);
|
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
2019-01-03 12:08:32 +00:00
|
|
|
"<|>trait Foo {}",
|
|
|
|
"<|>pub(crate) trait Foo {}",
|
|
|
|
);
|
2019-01-03 15:59:17 +00:00
|
|
|
check_assist(change_visibility, "m<|>od {}", "<|>pub(crate) mod {}");
|
|
|
|
check_assist(
|
|
|
|
change_visibility,
|
2019-01-03 12:08:32 +00:00
|
|
|
"unsafe f<|>n foo() {}",
|
|
|
|
"<|>pub(crate) unsafe fn foo() {}",
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|