Merge #1909
1909: move ast builder to a separate file r=matklad a=matklad Co-authored-by: Aleksey Kladov <aleksey.kladov@gmail.com>
This commit is contained in:
commit
8f92309dbc
@ -4,10 +4,7 @@
|
||||
SmolStr,
|
||||
};
|
||||
|
||||
use crate::{
|
||||
ast_editor::{AstBuilder, AstEditor},
|
||||
Assist, AssistCtx, AssistId,
|
||||
};
|
||||
use crate::{ast_builder::AstBuilder, ast_editor::AstEditor, Assist, AssistCtx, AssistId};
|
||||
|
||||
#[derive(PartialEq)]
|
||||
enum AddMissingImplMembersMode {
|
@ -3,7 +3,7 @@
|
||||
use hir::{db::HirDatabase, Adt, HasSource};
|
||||
use ra_syntax::ast::{self, AstNode, NameOwner};
|
||||
|
||||
use crate::{ast_editor::AstBuilder, Assist, AssistCtx, AssistId};
|
||||
use crate::{ast_builder::AstBuilder, Assist, AssistCtx, AssistId};
|
||||
|
||||
pub(crate) fn fill_match_arms(mut ctx: AssistCtx<impl HirDatabase>) -> Option<Assist> {
|
||||
let match_expr = ctx.node_at_offset::<ast::MatchExpr>()?;
|
@ -6,7 +6,7 @@
|
||||
TextRange,
|
||||
};
|
||||
|
||||
use crate::{ast_editor::AstBuilder, Assist, AssistCtx, AssistId};
|
||||
use crate::{ast_builder::AstBuilder, Assist, AssistCtx, AssistId};
|
||||
|
||||
pub(crate) fn move_bounds_to_where_clause(mut ctx: AssistCtx<impl HirDatabase>) -> Option<Assist> {
|
||||
let type_param_list = ctx.node_at_offset::<ast::TypeParamList>()?;
|
229
crates/ra_assists/src/ast_builder.rs
Normal file
229
crates/ra_assists/src/ast_builder.rs
Normal file
@ -0,0 +1,229 @@
|
||||
use itertools::Itertools;
|
||||
|
||||
use hir::Name;
|
||||
use ra_syntax::{ast, AstNode, SourceFile};
|
||||
|
||||
pub struct AstBuilder<N: AstNode> {
|
||||
_phantom: std::marker::PhantomData<N>,
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::RecordField> {
|
||||
pub fn from_name(name: &Name) -> ast::RecordField {
|
||||
ast_node_from_file_text(&format!("fn f() {{ S {{ {}: (), }} }}", name))
|
||||
}
|
||||
|
||||
fn from_text(text: &str) -> ast::RecordField {
|
||||
ast_node_from_file_text(&format!("fn f() {{ S {{ {}, }} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(name: &ast::NameRef, expr: Option<&ast::Expr>) -> ast::RecordField {
|
||||
match expr {
|
||||
Some(expr) => Self::from_text(&format!("{}: {}", name.syntax(), expr.syntax())),
|
||||
None => Self::from_text(&name.syntax().to_string()),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Block> {
|
||||
fn from_text(text: &str) -> ast::Block {
|
||||
ast_node_from_file_text(&format!("fn f() {}", text))
|
||||
}
|
||||
|
||||
pub fn single_expr(e: &ast::Expr) -> ast::Block {
|
||||
Self::from_text(&format!("{{ {} }}", e.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Expr> {
|
||||
fn from_text(text: &str) -> ast::Expr {
|
||||
ast_node_from_file_text(&format!("const C: () = {};", text))
|
||||
}
|
||||
|
||||
pub fn unit() -> ast::Expr {
|
||||
Self::from_text("()")
|
||||
}
|
||||
|
||||
pub fn unimplemented() -> ast::Expr {
|
||||
Self::from_text("unimplemented!()")
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::NameRef> {
|
||||
pub fn new(text: &str) -> ast::NameRef {
|
||||
ast_node_from_file_text(&format!("fn f() {{ {}; }}", text))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Path> {
|
||||
fn from_text(text: &str) -> ast::Path {
|
||||
ast_node_from_file_text(text)
|
||||
}
|
||||
|
||||
pub fn from_name(name: ast::Name) -> ast::Path {
|
||||
let name = name.syntax().to_string();
|
||||
Self::from_text(name.as_str())
|
||||
}
|
||||
|
||||
pub fn from_pieces(enum_name: ast::Name, var_name: ast::Name) -> ast::Path {
|
||||
Self::from_text(&format!("{}::{}", enum_name.syntax(), var_name.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::BindPat> {
|
||||
fn from_text(text: &str) -> ast::BindPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_name(name: &ast::Name) -> ast::BindPat {
|
||||
Self::from_text(name.text())
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::PlaceholderPat> {
|
||||
fn from_text(text: &str) -> ast::PlaceholderPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn placeholder() -> ast::PlaceholderPat {
|
||||
Self::from_text("_")
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::TupleStructPat> {
|
||||
fn from_text(text: &str) -> ast::TupleStructPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(
|
||||
path: &ast::Path,
|
||||
pats: impl Iterator<Item = ast::Pat>,
|
||||
) -> ast::TupleStructPat {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(&format!("{}({})", path.syntax(), pats_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::RecordPat> {
|
||||
fn from_text(text: &str) -> ast::RecordPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(path: &ast::Path, pats: impl Iterator<Item = ast::Pat>) -> ast::RecordPat {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(&format!("{}{{ {} }}", path.syntax(), pats_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::PathPat> {
|
||||
fn from_text(text: &str) -> ast::PathPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_path(path: &ast::Path) -> ast::PathPat {
|
||||
let path_str = path.syntax().text().to_string();
|
||||
Self::from_text(path_str.as_str())
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::MatchArm> {
|
||||
fn from_text(text: &str) -> ast::MatchArm {
|
||||
ast_node_from_file_text(&format!("fn f() {{ match () {{{}}} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(pats: impl Iterator<Item = ast::Pat>, expr: &ast::Expr) -> ast::MatchArm {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).join(" | ");
|
||||
Self::from_text(&format!("{} => {}", pats_str, expr.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::MatchArmList> {
|
||||
fn from_text(text: &str) -> ast::MatchArmList {
|
||||
ast_node_from_file_text(&format!("fn f() {{ match () {{{}}} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_arms(arms: impl Iterator<Item = ast::MatchArm>) -> ast::MatchArmList {
|
||||
let arms_str = arms.map(|arm| format!("\n {}", arm.syntax())).join(",");
|
||||
Self::from_text(&format!("{},\n", arms_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::WherePred> {
|
||||
fn from_text(text: &str) -> ast::WherePred {
|
||||
ast_node_from_file_text(&format!("fn f() where {} {{ }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(
|
||||
path: ast::Path,
|
||||
bounds: impl Iterator<Item = ast::TypeBound>,
|
||||
) -> ast::WherePred {
|
||||
let bounds = bounds.map(|b| b.syntax().to_string()).collect::<Vec<_>>().join(" + ");
|
||||
Self::from_text(&format!("{}: {}", path.syntax(), bounds))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::WhereClause> {
|
||||
fn from_text(text: &str) -> ast::WhereClause {
|
||||
ast_node_from_file_text(&format!("fn f() where {} {{ }}", text))
|
||||
}
|
||||
|
||||
pub fn from_predicates(preds: impl Iterator<Item = ast::WherePred>) -> ast::WhereClause {
|
||||
let preds = preds.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(preds.as_str())
|
||||
}
|
||||
}
|
||||
|
||||
fn ast_node_from_file_text<N: AstNode>(text: &str) -> N {
|
||||
let parse = SourceFile::parse(text);
|
||||
let res = parse.tree().syntax().descendants().find_map(N::cast).unwrap();
|
||||
res
|
||||
}
|
||||
|
||||
pub(crate) mod tokens {
|
||||
use once_cell::sync::Lazy;
|
||||
use ra_syntax::{AstNode, Parse, SourceFile, SyntaxKind::*, SyntaxToken, T};
|
||||
|
||||
static SOURCE_FILE: Lazy<Parse<SourceFile>> = Lazy::new(|| SourceFile::parse(",\n; ;"));
|
||||
|
||||
pub(crate) fn comma() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == T![,])
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
pub(crate) fn single_space() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == WHITESPACE && it.text().as_str() == " ")
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
#[allow(unused)]
|
||||
pub(crate) fn single_newline() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == WHITESPACE && it.text().as_str() == "\n")
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
pub(crate) struct WsBuilder(SourceFile);
|
||||
|
||||
impl WsBuilder {
|
||||
pub(crate) fn new(text: &str) -> WsBuilder {
|
||||
WsBuilder(SourceFile::parse(text).ok().unwrap())
|
||||
}
|
||||
pub(crate) fn ws(&self) -> SyntaxToken {
|
||||
self.0.syntax().first_child_or_token().unwrap().into_token().unwrap()
|
||||
}
|
||||
}
|
||||
|
||||
}
|
@ -1,18 +1,18 @@
|
||||
use std::{iter, ops::RangeInclusive};
|
||||
|
||||
use arrayvec::ArrayVec;
|
||||
use itertools::Itertools;
|
||||
|
||||
use hir::Name;
|
||||
use ra_fmt::leading_indent;
|
||||
use ra_syntax::{
|
||||
algo::{insert_children, replace_children},
|
||||
ast, AstNode, Direction, InsertPosition, SourceFile, SyntaxElement,
|
||||
ast, AstNode, Direction, InsertPosition, SyntaxElement,
|
||||
SyntaxKind::*,
|
||||
T,
|
||||
};
|
||||
use ra_text_edit::TextEditBuilder;
|
||||
|
||||
use crate::ast_builder::tokens;
|
||||
|
||||
pub struct AstEditor<N: AstNode> {
|
||||
original_ast: N,
|
||||
ast: N,
|
||||
@ -240,228 +240,3 @@ pub fn set_body(&mut self, body: &ast::Block) {
|
||||
self.ast = self.replace_children(replace_range, to_insert.into_iter())
|
||||
}
|
||||
}
|
||||
|
||||
pub struct AstBuilder<N: AstNode> {
|
||||
_phantom: std::marker::PhantomData<N>,
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::RecordField> {
|
||||
pub fn from_name(name: &Name) -> ast::RecordField {
|
||||
ast_node_from_file_text(&format!("fn f() {{ S {{ {}: (), }} }}", name))
|
||||
}
|
||||
|
||||
fn from_text(text: &str) -> ast::RecordField {
|
||||
ast_node_from_file_text(&format!("fn f() {{ S {{ {}, }} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(name: &ast::NameRef, expr: Option<&ast::Expr>) -> ast::RecordField {
|
||||
match expr {
|
||||
Some(expr) => Self::from_text(&format!("{}: {}", name.syntax(), expr.syntax())),
|
||||
None => Self::from_text(&name.syntax().to_string()),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Block> {
|
||||
fn from_text(text: &str) -> ast::Block {
|
||||
ast_node_from_file_text(&format!("fn f() {}", text))
|
||||
}
|
||||
|
||||
pub fn single_expr(e: &ast::Expr) -> ast::Block {
|
||||
Self::from_text(&format!("{{ {} }}", e.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Expr> {
|
||||
fn from_text(text: &str) -> ast::Expr {
|
||||
ast_node_from_file_text(&format!("const C: () = {};", text))
|
||||
}
|
||||
|
||||
pub fn unit() -> ast::Expr {
|
||||
Self::from_text("()")
|
||||
}
|
||||
|
||||
pub fn unimplemented() -> ast::Expr {
|
||||
Self::from_text("unimplemented!()")
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::NameRef> {
|
||||
pub fn new(text: &str) -> ast::NameRef {
|
||||
ast_node_from_file_text(&format!("fn f() {{ {}; }}", text))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::Path> {
|
||||
fn from_text(text: &str) -> ast::Path {
|
||||
ast_node_from_file_text(text)
|
||||
}
|
||||
|
||||
pub fn from_name(name: ast::Name) -> ast::Path {
|
||||
let name = name.syntax().to_string();
|
||||
Self::from_text(name.as_str())
|
||||
}
|
||||
|
||||
pub fn from_pieces(enum_name: ast::Name, var_name: ast::Name) -> ast::Path {
|
||||
Self::from_text(&format!("{}::{}", enum_name.syntax(), var_name.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::BindPat> {
|
||||
fn from_text(text: &str) -> ast::BindPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_name(name: &ast::Name) -> ast::BindPat {
|
||||
Self::from_text(name.text())
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::PlaceholderPat> {
|
||||
fn from_text(text: &str) -> ast::PlaceholderPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn placeholder() -> ast::PlaceholderPat {
|
||||
Self::from_text("_")
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::TupleStructPat> {
|
||||
fn from_text(text: &str) -> ast::TupleStructPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(
|
||||
path: &ast::Path,
|
||||
pats: impl Iterator<Item = ast::Pat>,
|
||||
) -> ast::TupleStructPat {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(&format!("{}({})", path.syntax(), pats_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::RecordPat> {
|
||||
fn from_text(text: &str) -> ast::RecordPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(path: &ast::Path, pats: impl Iterator<Item = ast::Pat>) -> ast::RecordPat {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(&format!("{}{{ {} }}", path.syntax(), pats_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::PathPat> {
|
||||
fn from_text(text: &str) -> ast::PathPat {
|
||||
ast_node_from_file_text(&format!("fn f({}: ())", text))
|
||||
}
|
||||
|
||||
pub fn from_path(path: &ast::Path) -> ast::PathPat {
|
||||
let path_str = path.syntax().text().to_string();
|
||||
Self::from_text(path_str.as_str())
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::MatchArm> {
|
||||
fn from_text(text: &str) -> ast::MatchArm {
|
||||
ast_node_from_file_text(&format!("fn f() {{ match () {{{}}} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(pats: impl Iterator<Item = ast::Pat>, expr: &ast::Expr) -> ast::MatchArm {
|
||||
let pats_str = pats.map(|p| p.syntax().to_string()).join(" | ");
|
||||
Self::from_text(&format!("{} => {}", pats_str, expr.syntax()))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::MatchArmList> {
|
||||
fn from_text(text: &str) -> ast::MatchArmList {
|
||||
ast_node_from_file_text(&format!("fn f() {{ match () {{{}}} }}", text))
|
||||
}
|
||||
|
||||
pub fn from_arms(arms: impl Iterator<Item = ast::MatchArm>) -> ast::MatchArmList {
|
||||
let arms_str = arms.map(|arm| format!("\n {}", arm.syntax())).join(",");
|
||||
Self::from_text(&format!("{},\n", arms_str))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::WherePred> {
|
||||
fn from_text(text: &str) -> ast::WherePred {
|
||||
ast_node_from_file_text(&format!("fn f() where {} {{ }}", text))
|
||||
}
|
||||
|
||||
pub fn from_pieces(
|
||||
path: ast::Path,
|
||||
bounds: impl Iterator<Item = ast::TypeBound>,
|
||||
) -> ast::WherePred {
|
||||
let bounds = bounds.map(|b| b.syntax().to_string()).collect::<Vec<_>>().join(" + ");
|
||||
Self::from_text(&format!("{}: {}", path.syntax(), bounds))
|
||||
}
|
||||
}
|
||||
|
||||
impl AstBuilder<ast::WhereClause> {
|
||||
fn from_text(text: &str) -> ast::WhereClause {
|
||||
ast_node_from_file_text(&format!("fn f() where {} {{ }}", text))
|
||||
}
|
||||
|
||||
pub fn from_predicates(preds: impl Iterator<Item = ast::WherePred>) -> ast::WhereClause {
|
||||
let preds = preds.map(|p| p.syntax().to_string()).collect::<Vec<_>>().join(", ");
|
||||
Self::from_text(preds.as_str())
|
||||
}
|
||||
}
|
||||
|
||||
fn ast_node_from_file_text<N: AstNode>(text: &str) -> N {
|
||||
let parse = SourceFile::parse(text);
|
||||
let res = parse.tree().syntax().descendants().find_map(N::cast).unwrap();
|
||||
res
|
||||
}
|
||||
|
||||
mod tokens {
|
||||
use once_cell::sync::Lazy;
|
||||
use ra_syntax::{AstNode, Parse, SourceFile, SyntaxKind::*, SyntaxToken, T};
|
||||
|
||||
static SOURCE_FILE: Lazy<Parse<SourceFile>> = Lazy::new(|| SourceFile::parse(",\n; ;"));
|
||||
|
||||
pub(crate) fn comma() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == T![,])
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
pub(crate) fn single_space() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == WHITESPACE && it.text().as_str() == " ")
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
#[allow(unused)]
|
||||
pub(crate) fn single_newline() -> SyntaxToken {
|
||||
SOURCE_FILE
|
||||
.tree()
|
||||
.syntax()
|
||||
.descendants_with_tokens()
|
||||
.filter_map(|it| it.into_token())
|
||||
.find(|it| it.kind() == WHITESPACE && it.text().as_str() == "\n")
|
||||
.unwrap()
|
||||
}
|
||||
|
||||
pub(crate) struct WsBuilder(SourceFile);
|
||||
|
||||
impl WsBuilder {
|
||||
pub(crate) fn new(text: &str) -> WsBuilder {
|
||||
WsBuilder(SourceFile::parse(text).ok().unwrap())
|
||||
}
|
||||
pub(crate) fn ws(&self) -> SyntaxToken {
|
||||
self.0.syntax().first_child_or_token().unwrap().into_token().unwrap()
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
|
@ -8,6 +8,7 @@
|
||||
mod assist_ctx;
|
||||
mod marks;
|
||||
pub mod ast_editor;
|
||||
pub mod ast_builder;
|
||||
|
||||
use itertools::Itertools;
|
||||
|
||||
@ -17,6 +18,7 @@
|
||||
use ra_text_edit::TextEdit;
|
||||
|
||||
pub(crate) use crate::assist_ctx::{Assist, AssistCtx};
|
||||
pub use crate::assists::auto_import::auto_import_text_edit;
|
||||
|
||||
/// Unique identifier of the assist, should not be shown to the user
|
||||
/// directly.
|
||||
@ -46,7 +48,7 @@ pub fn applicable_assists<H>(db: &H, range: FileRange) -> Vec<AssistLabel>
|
||||
H: HirDatabase + 'static,
|
||||
{
|
||||
AssistCtx::with_ctx(db, range, false, |ctx| {
|
||||
all_assists()
|
||||
assists::all()
|
||||
.iter()
|
||||
.filter_map(|f| f(ctx.clone()))
|
||||
.map(|a| match a {
|
||||
@ -68,7 +70,7 @@ pub fn assists<H>(db: &H, range: FileRange) -> Vec<(AssistLabel, AssistAction)>
|
||||
use std::cmp::Ordering;
|
||||
|
||||
AssistCtx::with_ctx(db, range, true, |ctx| {
|
||||
let mut a = all_assists()
|
||||
let mut a = assists::all()
|
||||
.iter()
|
||||
.filter_map(|f| f(ctx.clone()))
|
||||
.map(|a| match a {
|
||||
@ -86,51 +88,56 @@ pub fn assists<H>(db: &H, range: FileRange) -> Vec<(AssistLabel, AssistAction)>
|
||||
})
|
||||
}
|
||||
|
||||
mod add_derive;
|
||||
mod add_explicit_type;
|
||||
mod add_impl;
|
||||
mod flip_comma;
|
||||
mod flip_binexpr;
|
||||
mod change_visibility;
|
||||
mod fill_match_arms;
|
||||
mod merge_match_arms;
|
||||
mod introduce_variable;
|
||||
mod inline_local_variable;
|
||||
mod raw_string;
|
||||
mod replace_if_let_with_match;
|
||||
mod split_import;
|
||||
mod remove_dbg;
|
||||
pub mod auto_import;
|
||||
mod add_missing_impl_members;
|
||||
mod move_guard;
|
||||
mod move_bounds;
|
||||
mod assists {
|
||||
use crate::{Assist, AssistCtx};
|
||||
use hir::db::HirDatabase;
|
||||
|
||||
fn all_assists<DB: HirDatabase>() -> &'static [fn(AssistCtx<DB>) -> Option<Assist>] {
|
||||
&[
|
||||
add_derive::add_derive,
|
||||
add_explicit_type::add_explicit_type,
|
||||
add_impl::add_impl,
|
||||
change_visibility::change_visibility,
|
||||
fill_match_arms::fill_match_arms,
|
||||
merge_match_arms::merge_match_arms,
|
||||
flip_comma::flip_comma,
|
||||
flip_binexpr::flip_binexpr,
|
||||
introduce_variable::introduce_variable,
|
||||
replace_if_let_with_match::replace_if_let_with_match,
|
||||
split_import::split_import,
|
||||
remove_dbg::remove_dbg,
|
||||
auto_import::auto_import,
|
||||
add_missing_impl_members::add_missing_impl_members,
|
||||
add_missing_impl_members::add_missing_default_members,
|
||||
inline_local_variable::inline_local_varialbe,
|
||||
move_guard::move_guard_to_arm_body,
|
||||
move_guard::move_arm_cond_to_match_guard,
|
||||
move_bounds::move_bounds_to_where_clause,
|
||||
raw_string::add_hash,
|
||||
raw_string::make_raw_string,
|
||||
raw_string::make_usual_string,
|
||||
raw_string::remove_hash,
|
||||
]
|
||||
mod add_derive;
|
||||
mod add_explicit_type;
|
||||
mod add_impl;
|
||||
mod flip_comma;
|
||||
mod flip_binexpr;
|
||||
mod change_visibility;
|
||||
mod fill_match_arms;
|
||||
mod merge_match_arms;
|
||||
mod introduce_variable;
|
||||
mod inline_local_variable;
|
||||
mod raw_string;
|
||||
mod replace_if_let_with_match;
|
||||
mod split_import;
|
||||
mod remove_dbg;
|
||||
pub(crate) mod auto_import;
|
||||
mod add_missing_impl_members;
|
||||
mod move_guard;
|
||||
mod move_bounds;
|
||||
|
||||
pub(crate) fn all<DB: HirDatabase>() -> &'static [fn(AssistCtx<DB>) -> Option<Assist>] {
|
||||
&[
|
||||
add_derive::add_derive,
|
||||
add_explicit_type::add_explicit_type,
|
||||
add_impl::add_impl,
|
||||
change_visibility::change_visibility,
|
||||
fill_match_arms::fill_match_arms,
|
||||
merge_match_arms::merge_match_arms,
|
||||
flip_comma::flip_comma,
|
||||
flip_binexpr::flip_binexpr,
|
||||
introduce_variable::introduce_variable,
|
||||
replace_if_let_with_match::replace_if_let_with_match,
|
||||
split_import::split_import,
|
||||
remove_dbg::remove_dbg,
|
||||
auto_import::auto_import,
|
||||
add_missing_impl_members::add_missing_impl_members,
|
||||
add_missing_impl_members::add_missing_default_members,
|
||||
inline_local_variable::inline_local_varialbe,
|
||||
move_guard::move_guard_to_arm_body,
|
||||
move_guard::move_arm_cond_to_match_guard,
|
||||
move_bounds::move_bounds_to_where_clause,
|
||||
raw_string::add_hash,
|
||||
raw_string::make_raw_string,
|
||||
raw_string::make_usual_string,
|
||||
raw_string::remove_hash,
|
||||
]
|
||||
}
|
||||
}
|
||||
|
||||
#[cfg(test)]
|
||||
|
@ -1,4 +1,4 @@
|
||||
use ra_assists::auto_import;
|
||||
use ra_assists::auto_import_text_edit;
|
||||
use ra_syntax::{ast, AstNode, SmolStr};
|
||||
use ra_text_edit::TextEditBuilder;
|
||||
use rustc_hash::FxHashMap;
|
||||
@ -23,7 +23,7 @@ pub(super) fn complete_scope(acc: &mut Completions, ctx: &CompletionContext) {
|
||||
let edit = {
|
||||
let mut builder = TextEditBuilder::default();
|
||||
builder.replace(ctx.source_range(), name.to_string());
|
||||
auto_import::auto_import_text_edit(
|
||||
auto_import_text_edit(
|
||||
&ctx.token.parent(),
|
||||
&ctx.token.parent(),
|
||||
&path,
|
||||
|
@ -2,7 +2,7 @@
|
||||
|
||||
use hir::diagnostics::{AstDiagnostic, Diagnostic as _, DiagnosticSink};
|
||||
use itertools::Itertools;
|
||||
use ra_assists::ast_editor::{AstBuilder, AstEditor};
|
||||
use ra_assists::{ast_builder::AstBuilder, ast_editor::AstEditor};
|
||||
use ra_db::SourceDatabase;
|
||||
use ra_prof::profile;
|
||||
use ra_syntax::{
|
||||
|
Loading…
Reference in New Issue
Block a user