mirror of
https://github.com/rust-lang/rust-analyzer
synced 2024-12-29 06:23:25 +00:00
Merge #352
352: Macro extend selection r=matklad a=matklad and a bunch of unrelated stuff Co-authored-by: Aleksey Kladov <aleksey.kladov@gmail.com>
This commit is contained in:
commit
751616f062
12 changed files with 150 additions and 78 deletions
|
@ -1,6 +1,6 @@
|
||||||
use crate::{
|
use crate::{
|
||||||
Cancelable,
|
Cancelable,
|
||||||
completion::{CompletionItem, Completions, CompletionKind, CompletionContext},
|
completion::{CompletionItem, CompletionItemKind, Completions, CompletionKind, CompletionContext},
|
||||||
};
|
};
|
||||||
|
|
||||||
pub(super) fn complete_path(acc: &mut Completions, ctx: &CompletionContext) -> Cancelable<()> {
|
pub(super) fn complete_path(acc: &mut Completions, ctx: &CompletionContext) -> Cancelable<()> {
|
||||||
|
@ -12,16 +12,25 @@ pub(super) fn complete_path(acc: &mut Completions, ctx: &CompletionContext) -> C
|
||||||
Some(it) => it,
|
Some(it) => it,
|
||||||
None => return Ok(()),
|
None => return Ok(()),
|
||||||
};
|
};
|
||||||
let target_module = match def_id.resolve(ctx.db)? {
|
match def_id.resolve(ctx.db)? {
|
||||||
hir::Def::Module(it) => it,
|
hir::Def::Module(module) => {
|
||||||
|
let module_scope = module.scope(ctx.db)?;
|
||||||
|
module_scope.entries().for_each(|(name, res)| {
|
||||||
|
CompletionItem::new(CompletionKind::Reference, name.to_string())
|
||||||
|
.from_resolution(ctx.db, res)
|
||||||
|
.add_to(acc)
|
||||||
|
});
|
||||||
|
}
|
||||||
|
hir::Def::Enum(e) => e
|
||||||
|
.variants(ctx.db)?
|
||||||
|
.into_iter()
|
||||||
|
.for_each(|(name, _variant)| {
|
||||||
|
CompletionItem::new(CompletionKind::Reference, name.to_string())
|
||||||
|
.kind(CompletionItemKind::EnumVariant)
|
||||||
|
.add_to(acc)
|
||||||
|
}),
|
||||||
_ => return Ok(()),
|
_ => return Ok(()),
|
||||||
};
|
};
|
||||||
let module_scope = target_module.scope(ctx.db)?;
|
|
||||||
module_scope.entries().for_each(|(name, res)| {
|
|
||||||
CompletionItem::new(CompletionKind::Reference, name.to_string())
|
|
||||||
.from_resolution(ctx.db, res)
|
|
||||||
.add_to(acc)
|
|
||||||
});
|
|
||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -92,4 +101,16 @@ mod tests {
|
||||||
"Spam",
|
"Spam",
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn completes_enum_variant() {
|
||||||
|
check_reference_completion(
|
||||||
|
"
|
||||||
|
//- /lib.rs
|
||||||
|
enum E { Foo, Bar(i32) }
|
||||||
|
fn foo() { let _ = E::<|> }
|
||||||
|
",
|
||||||
|
"Foo;Bar",
|
||||||
|
);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -29,6 +29,7 @@ pub enum CompletionItemKind {
|
||||||
Function,
|
Function,
|
||||||
Struct,
|
Struct,
|
||||||
Enum,
|
Enum,
|
||||||
|
EnumVariant,
|
||||||
Binding,
|
Binding,
|
||||||
Field,
|
Field,
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,4 +1,8 @@
|
||||||
use ra_db::SyntaxDatabase;
|
use ra_db::SyntaxDatabase;
|
||||||
|
use ra_syntax::{
|
||||||
|
SyntaxNodeRef, AstNode,
|
||||||
|
ast, algo::find_covering_node,
|
||||||
|
};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
TextRange, FileRange,
|
TextRange, FileRange,
|
||||||
|
@ -6,6 +10,42 @@ use crate::{
|
||||||
};
|
};
|
||||||
|
|
||||||
pub(crate) fn extend_selection(db: &RootDatabase, frange: FileRange) -> TextRange {
|
pub(crate) fn extend_selection(db: &RootDatabase, frange: FileRange) -> TextRange {
|
||||||
let file = db.source_file(frange.file_id);
|
let source_file = db.source_file(frange.file_id);
|
||||||
ra_editor::extend_selection(&file, frange.range).unwrap_or(frange.range)
|
if let Some(macro_call) = find_macro_call(source_file.syntax(), frange.range) {
|
||||||
|
if let Some(exp) = crate::macros::expand(db, frange.file_id, macro_call) {
|
||||||
|
if let Some(dst_range) = exp.map_range_forward(frange.range) {
|
||||||
|
if let Some(dst_range) = ra_editor::extend_selection(exp.source_file(), dst_range) {
|
||||||
|
if let Some(src_range) = exp.map_range_back(dst_range) {
|
||||||
|
return src_range;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
ra_editor::extend_selection(&source_file, frange.range).unwrap_or(frange.range)
|
||||||
|
}
|
||||||
|
|
||||||
|
fn find_macro_call(node: SyntaxNodeRef, range: TextRange) -> Option<ast::MacroCall> {
|
||||||
|
find_covering_node(node, range)
|
||||||
|
.ancestors()
|
||||||
|
.find_map(ast::MacroCall::cast)
|
||||||
|
}
|
||||||
|
|
||||||
|
#[cfg(test)]
|
||||||
|
mod tests {
|
||||||
|
use crate::mock_analysis::single_file_with_range;
|
||||||
|
use test_utils::assert_eq_dbg;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn extend_selection_inside_macros() {
|
||||||
|
let (analysis, frange) = single_file_with_range(
|
||||||
|
"
|
||||||
|
fn main() {
|
||||||
|
ctry!(foo(|x| <|>x<|>));
|
||||||
|
}
|
||||||
|
",
|
||||||
|
);
|
||||||
|
let r = analysis.extend_selection(frange);
|
||||||
|
assert_eq_dbg("[51; 56)", &r);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -61,4 +61,15 @@ impl MacroExpansion {
|
||||||
}
|
}
|
||||||
None
|
None
|
||||||
}
|
}
|
||||||
|
pub(crate) fn map_range_forward(&self, src_range: TextRange) -> Option<TextRange> {
|
||||||
|
for (s_range, t_range) in self.ranges_map.iter() {
|
||||||
|
if src_range.is_subrange(&s_range) {
|
||||||
|
let src_at_zero_range = src_range - src_range.start();
|
||||||
|
let src_range_offset = src_range.start() - s_range.start();
|
||||||
|
let src_range = src_at_zero_range + src_range_offset + t_range.start();
|
||||||
|
return Some(src_range);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
None
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,10 +1,10 @@
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use relative_path::RelativePathBuf;
|
use relative_path::RelativePathBuf;
|
||||||
use test_utils::{extract_offset, parse_fixture, CURSOR_MARKER};
|
use test_utils::{extract_offset, extract_range, parse_fixture, CURSOR_MARKER};
|
||||||
use ra_db::mock::FileMap;
|
use ra_db::mock::FileMap;
|
||||||
|
|
||||||
use crate::{Analysis, AnalysisChange, AnalysisHost, FileId, FilePosition, SourceRootId};
|
use crate::{Analysis, AnalysisChange, AnalysisHost, FileId, FilePosition, FileRange, SourceRootId};
|
||||||
|
|
||||||
/// Mock analysis is used in test to bootstrap an AnalysisHost/Analysis
|
/// Mock analysis is used in test to bootstrap an AnalysisHost/Analysis
|
||||||
/// from a set of in-memory files.
|
/// from a set of in-memory files.
|
||||||
|
@ -66,6 +66,12 @@ impl MockAnalysis {
|
||||||
self.files.push((path.to_string(), text.to_string()));
|
self.files.push((path.to_string(), text.to_string()));
|
||||||
FilePosition { file_id, offset }
|
FilePosition { file_id, offset }
|
||||||
}
|
}
|
||||||
|
pub fn add_file_with_range(&mut self, path: &str, text: &str) -> FileRange {
|
||||||
|
let (range, text) = extract_range(text);
|
||||||
|
let file_id = FileId((self.files.len() + 1) as u32);
|
||||||
|
self.files.push((path.to_string(), text.to_string()));
|
||||||
|
FileRange { file_id, range }
|
||||||
|
}
|
||||||
pub fn id_of(&self, path: &str) -> FileId {
|
pub fn id_of(&self, path: &str) -> FileId {
|
||||||
let (idx, _) = self
|
let (idx, _) = self
|
||||||
.files
|
.files
|
||||||
|
@ -115,3 +121,10 @@ pub fn single_file_with_position(code: &str) -> (Analysis, FilePosition) {
|
||||||
let pos = mock.add_file_with_position("/main.rs", code);
|
let pos = mock.add_file_with_position("/main.rs", code);
|
||||||
(mock.analysis(), pos)
|
(mock.analysis(), pos)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Creates analysis for a single file, returns range marked with a pair of <|>.
|
||||||
|
pub fn single_file_with_range(code: &str) -> (Analysis, FileRange) {
|
||||||
|
let mut mock = MockAnalysis::new();
|
||||||
|
let pos = mock.add_file_with_range("/main.rs", code);
|
||||||
|
(mock.analysis(), pos)
|
||||||
|
}
|
||||||
|
|
|
@ -1,10 +1,10 @@
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use ra_syntax::{SmolStr, ast::{self, NameOwner, StructFlavor}};
|
use ra_syntax::ast::{self, NameOwner, StructFlavor};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
DefId, Cancelable,
|
DefId, Cancelable, Name, AsName,
|
||||||
db::{HirDatabase},
|
db::HirDatabase,
|
||||||
type_ref::TypeRef,
|
type_ref::TypeRef,
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -29,26 +29,26 @@ impl Struct {
|
||||||
Ok(db.struct_data(self.def_id)?)
|
Ok(db.struct_data(self.def_id)?)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn name(&self, db: &impl HirDatabase) -> Cancelable<Option<SmolStr>> {
|
pub fn name(&self, db: &impl HirDatabase) -> Cancelable<Option<Name>> {
|
||||||
Ok(db.struct_data(self.def_id)?.name.clone())
|
Ok(db.struct_data(self.def_id)?.name.clone())
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, Clone, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
pub struct StructData {
|
pub struct StructData {
|
||||||
name: Option<SmolStr>,
|
name: Option<Name>,
|
||||||
variant_data: Arc<VariantData>,
|
variant_data: Arc<VariantData>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl StructData {
|
impl StructData {
|
||||||
pub(crate) fn new(struct_def: ast::StructDef) -> StructData {
|
pub(crate) fn new(struct_def: ast::StructDef) -> StructData {
|
||||||
let name = struct_def.name().map(|n| n.text());
|
let name = struct_def.name().map(|n| n.as_name());
|
||||||
let variant_data = VariantData::new(struct_def.flavor());
|
let variant_data = VariantData::new(struct_def.flavor());
|
||||||
let variant_data = Arc::new(variant_data);
|
let variant_data = Arc::new(variant_data);
|
||||||
StructData { name, variant_data }
|
StructData { name, variant_data }
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn name(&self) -> Option<&SmolStr> {
|
pub fn name(&self) -> Option<&Name> {
|
||||||
self.name.as_ref()
|
self.name.as_ref()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -70,27 +70,29 @@ impl Enum {
|
||||||
self.def_id
|
self.def_id
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn name(&self, db: &impl HirDatabase) -> Cancelable<Option<SmolStr>> {
|
pub fn name(&self, db: &impl HirDatabase) -> Cancelable<Option<Name>> {
|
||||||
Ok(db.enum_data(self.def_id)?.name.clone())
|
Ok(db.enum_data(self.def_id)?.name.clone())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn variants(&self, db: &impl HirDatabase) -> Cancelable<Vec<(Name, Arc<VariantData>)>> {
|
||||||
|
Ok(db.enum_data(self.def_id)?.variants.clone())
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Debug, Clone, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
pub struct EnumData {
|
pub struct EnumData {
|
||||||
name: Option<SmolStr>,
|
name: Option<Name>,
|
||||||
variants: Vec<(SmolStr, Arc<VariantData>)>,
|
variants: Vec<(Name, Arc<VariantData>)>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl EnumData {
|
impl EnumData {
|
||||||
pub(crate) fn new(enum_def: ast::EnumDef) -> Self {
|
pub(crate) fn new(enum_def: ast::EnumDef) -> Self {
|
||||||
let name = enum_def.name().map(|n| n.text());
|
let name = enum_def.name().map(|n| n.as_name());
|
||||||
let variants = if let Some(evl) = enum_def.variant_list() {
|
let variants = if let Some(evl) = enum_def.variant_list() {
|
||||||
evl.variants()
|
evl.variants()
|
||||||
.map(|v| {
|
.map(|v| {
|
||||||
(
|
(
|
||||||
v.name()
|
v.name().map(|n| n.as_name()).unwrap_or_else(Name::missing),
|
||||||
.map(|n| n.text())
|
|
||||||
.unwrap_or_else(|| SmolStr::new("[error]")),
|
|
||||||
Arc::new(VariantData::new(v.flavor())),
|
Arc::new(VariantData::new(v.flavor())),
|
||||||
)
|
)
|
||||||
})
|
})
|
||||||
|
@ -105,12 +107,12 @@ impl EnumData {
|
||||||
/// A single field of an enum variant or struct
|
/// A single field of an enum variant or struct
|
||||||
#[derive(Debug, Clone, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
pub struct StructField {
|
pub struct StructField {
|
||||||
name: SmolStr,
|
name: Name,
|
||||||
type_ref: TypeRef,
|
type_ref: TypeRef,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl StructField {
|
impl StructField {
|
||||||
pub fn name(&self) -> SmolStr {
|
pub fn name(&self) -> Name {
|
||||||
self.name.clone()
|
self.name.clone()
|
||||||
}
|
}
|
||||||
pub fn type_ref(&self) -> &TypeRef {
|
pub fn type_ref(&self) -> &TypeRef {
|
||||||
|
@ -134,7 +136,7 @@ impl VariantData {
|
||||||
.fields()
|
.fields()
|
||||||
.enumerate()
|
.enumerate()
|
||||||
.map(|(i, fd)| StructField {
|
.map(|(i, fd)| StructField {
|
||||||
name: SmolStr::new(i.to_string()),
|
name: Name::tuple_field_name(i),
|
||||||
type_ref: TypeRef::from_ast_opt(fd.type_ref()),
|
type_ref: TypeRef::from_ast_opt(fd.type_ref()),
|
||||||
})
|
})
|
||||||
.collect();
|
.collect();
|
||||||
|
@ -144,10 +146,7 @@ impl VariantData {
|
||||||
let fields = fl
|
let fields = fl
|
||||||
.fields()
|
.fields()
|
||||||
.map(|fd| StructField {
|
.map(|fd| StructField {
|
||||||
name: fd
|
name: fd.name().map(|n| n.as_name()).unwrap_or_else(Name::missing),
|
||||||
.name()
|
|
||||||
.map(|n| n.text())
|
|
||||||
.unwrap_or_else(|| SmolStr::new("[error]")),
|
|
||||||
type_ref: TypeRef::from_ast_opt(fd.type_ref()),
|
type_ref: TypeRef::from_ast_opt(fd.type_ref()),
|
||||||
})
|
})
|
||||||
.collect();
|
.collect();
|
||||||
|
@ -157,10 +156,10 @@ impl VariantData {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub(crate) fn get_field_type_ref(&self, field_name: &str) -> Option<&TypeRef> {
|
pub(crate) fn get_field_type_ref(&self, field_name: &Name) -> Option<&TypeRef> {
|
||||||
self.fields()
|
self.fields()
|
||||||
.iter()
|
.iter()
|
||||||
.find(|f| f.name == field_name)
|
.find(|f| f.name == *field_name)
|
||||||
.map(|f| &f.type_ref)
|
.map(|f| &f.type_ref)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -1,13 +1,10 @@
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use ra_syntax::{
|
use ra_syntax::SyntaxNode;
|
||||||
SmolStr,
|
|
||||||
SyntaxNode,
|
|
||||||
};
|
|
||||||
use ra_db::{SourceRootId, LocationIntener, SyntaxDatabase, FileId, Cancelable};
|
use ra_db::{SourceRootId, LocationIntener, SyntaxDatabase, FileId, Cancelable};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
DefLoc, DefId,
|
DefLoc, DefId, Name,
|
||||||
SourceFileItems, SourceItemId,
|
SourceFileItems, SourceItemId,
|
||||||
query_definitions,
|
query_definitions,
|
||||||
FnScopes,
|
FnScopes,
|
||||||
|
@ -47,7 +44,7 @@ pub trait HirDatabase: SyntaxDatabase
|
||||||
use fn query_definitions::type_for_def;
|
use fn query_definitions::type_for_def;
|
||||||
}
|
}
|
||||||
|
|
||||||
fn type_for_field(def_id: DefId, field: SmolStr) -> Cancelable<Ty> {
|
fn type_for_field(def_id: DefId, field: Name) -> Cancelable<Ty> {
|
||||||
type TypeForFieldQuery;
|
type TypeForFieldQuery;
|
||||||
use fn query_definitions::type_for_field;
|
use fn query_definitions::type_for_field;
|
||||||
}
|
}
|
||||||
|
|
|
@ -13,8 +13,8 @@ use ra_db::{SourceRootId, FileId, Cancelable};
|
||||||
use relative_path::RelativePathBuf;
|
use relative_path::RelativePathBuf;
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
DefKind, DefLoc, DefId, Path, PathKind, HirDatabase, SourceItemId, SourceFileItemId, Crate,
|
Def, DefKind, DefLoc, DefId,
|
||||||
Name,
|
Name, Path, PathKind, HirDatabase, SourceItemId, SourceFileItemId, Crate,
|
||||||
arena::{Arena, Id},
|
arena::{Arena, Id},
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -139,13 +139,8 @@ impl Module {
|
||||||
} else {
|
} else {
|
||||||
return Ok(PerNs::none());
|
return Ok(PerNs::none());
|
||||||
};
|
};
|
||||||
let module = match curr.loc(db) {
|
let module = match curr.resolve(db)? {
|
||||||
DefLoc {
|
Def::Module(it) => it,
|
||||||
kind: DefKind::Module,
|
|
||||||
source_root_id,
|
|
||||||
module_id,
|
|
||||||
..
|
|
||||||
} => Module::new(db, source_root_id, module_id)?,
|
|
||||||
// TODO here would be the place to handle enum variants...
|
// TODO here would be the place to handle enum variants...
|
||||||
_ => return Ok(PerNs::none()),
|
_ => return Ok(PerNs::none()),
|
||||||
};
|
};
|
||||||
|
|
|
@ -23,6 +23,18 @@ impl fmt::Debug for Name {
|
||||||
}
|
}
|
||||||
|
|
||||||
impl Name {
|
impl Name {
|
||||||
|
fn new(text: SmolStr) -> Name {
|
||||||
|
Name { text }
|
||||||
|
}
|
||||||
|
|
||||||
|
pub(crate) fn missing() -> Name {
|
||||||
|
Name::new("[missing name]".into())
|
||||||
|
}
|
||||||
|
|
||||||
|
pub(crate) fn tuple_field_name(idx: usize) -> Name {
|
||||||
|
Name::new(idx.to_string().into())
|
||||||
|
}
|
||||||
|
|
||||||
pub(crate) fn as_known_name(&self) -> Option<KnownName> {
|
pub(crate) fn as_known_name(&self) -> Option<KnownName> {
|
||||||
let name = match self.text.as_str() {
|
let name = match self.text.as_str() {
|
||||||
"isize" => KnownName::Isize,
|
"isize" => KnownName::Isize,
|
||||||
|
@ -43,10 +55,6 @@ impl Name {
|
||||||
};
|
};
|
||||||
Some(name)
|
Some(name)
|
||||||
}
|
}
|
||||||
|
|
||||||
fn new(text: SmolStr) -> Name {
|
|
||||||
Name { text }
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub(crate) trait AsName {
|
pub(crate) trait AsName {
|
||||||
|
|
|
@ -5,7 +5,7 @@ use std::{
|
||||||
|
|
||||||
use rustc_hash::FxHashMap;
|
use rustc_hash::FxHashMap;
|
||||||
use ra_syntax::{
|
use ra_syntax::{
|
||||||
AstNode, SyntaxNode, SmolStr,
|
AstNode, SyntaxNode,
|
||||||
ast::{self, NameOwner, ModuleItemOwner}
|
ast::{self, NameOwner, ModuleItemOwner}
|
||||||
};
|
};
|
||||||
use ra_db::{SourceRootId, FileId, Cancelable,};
|
use ra_db::{SourceRootId, FileId, Cancelable,};
|
||||||
|
@ -39,11 +39,7 @@ pub(super) fn type_for_def(db: &impl HirDatabase, def_id: DefId) -> Cancelable<T
|
||||||
ty::type_for_def(db, def_id)
|
ty::type_for_def(db, def_id)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub(super) fn type_for_field(
|
pub(super) fn type_for_field(db: &impl HirDatabase, def_id: DefId, field: Name) -> Cancelable<Ty> {
|
||||||
db: &impl HirDatabase,
|
|
||||||
def_id: DefId,
|
|
||||||
field: SmolStr,
|
|
||||||
) -> Cancelable<Ty> {
|
|
||||||
ty::type_for_field(db, def_id, field)
|
ty::type_for_field(db, def_id, field)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -10,13 +10,12 @@ use rustc_hash::{FxHashMap};
|
||||||
|
|
||||||
use ra_db::{LocalSyntaxPtr, Cancelable};
|
use ra_db::{LocalSyntaxPtr, Cancelable};
|
||||||
use ra_syntax::{
|
use ra_syntax::{
|
||||||
SmolStr,
|
|
||||||
ast::{self, AstNode, LoopBodyOwner, ArgListOwner, PrefixOp},
|
ast::{self, AstNode, LoopBodyOwner, ArgListOwner, PrefixOp},
|
||||||
SyntaxNodeRef
|
SyntaxNodeRef
|
||||||
};
|
};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
Def, DefId, FnScopes, Module, Function, Struct, Enum, Path,
|
Def, DefId, FnScopes, Module, Function, Struct, Enum, Path, Name, AsName,
|
||||||
db::HirDatabase,
|
db::HirDatabase,
|
||||||
adt::VariantData,
|
adt::VariantData,
|
||||||
type_ref::{TypeRef, Mutability},
|
type_ref::{TypeRef, Mutability},
|
||||||
|
@ -45,7 +44,7 @@ pub enum Ty {
|
||||||
/// The DefId of the struct/enum.
|
/// The DefId of the struct/enum.
|
||||||
def_id: DefId,
|
def_id: DefId,
|
||||||
/// The name, for displaying.
|
/// The name, for displaying.
|
||||||
name: SmolStr,
|
name: Name,
|
||||||
// later we'll need generic substitutions here
|
// later we'll need generic substitutions here
|
||||||
},
|
},
|
||||||
|
|
||||||
|
@ -276,18 +275,14 @@ pub fn type_for_fn(db: &impl HirDatabase, f: Function) -> Cancelable<Ty> {
|
||||||
pub fn type_for_struct(db: &impl HirDatabase, s: Struct) -> Cancelable<Ty> {
|
pub fn type_for_struct(db: &impl HirDatabase, s: Struct) -> Cancelable<Ty> {
|
||||||
Ok(Ty::Adt {
|
Ok(Ty::Adt {
|
||||||
def_id: s.def_id(),
|
def_id: s.def_id(),
|
||||||
name: s
|
name: s.name(db)?.unwrap_or_else(Name::missing),
|
||||||
.name(db)?
|
|
||||||
.unwrap_or_else(|| SmolStr::new("[unnamed struct]")),
|
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn type_for_enum(db: &impl HirDatabase, s: Enum) -> Cancelable<Ty> {
|
pub fn type_for_enum(db: &impl HirDatabase, s: Enum) -> Cancelable<Ty> {
|
||||||
Ok(Ty::Adt {
|
Ok(Ty::Adt {
|
||||||
def_id: s.def_id(),
|
def_id: s.def_id(),
|
||||||
name: s
|
name: s.name(db)?.unwrap_or_else(Name::missing),
|
||||||
.name(db)?
|
|
||||||
.unwrap_or_else(|| SmolStr::new("[unnamed enum]")),
|
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -308,11 +303,7 @@ pub fn type_for_def(db: &impl HirDatabase, def_id: DefId) -> Cancelable<Ty> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub(super) fn type_for_field(
|
pub(super) fn type_for_field(db: &impl HirDatabase, def_id: DefId, field: Name) -> Cancelable<Ty> {
|
||||||
db: &impl HirDatabase,
|
|
||||||
def_id: DefId,
|
|
||||||
field: SmolStr,
|
|
||||||
) -> Cancelable<Ty> {
|
|
||||||
let def = def_id.resolve(db)?;
|
let def = def_id.resolve(db)?;
|
||||||
let variant_data = match def {
|
let variant_data = match def {
|
||||||
Def::Struct(s) => {
|
Def::Struct(s) => {
|
||||||
|
@ -559,14 +550,13 @@ impl<'a, D: HirDatabase> InferenceContext<'a, D> {
|
||||||
ast::Expr::FieldExpr(e) => {
|
ast::Expr::FieldExpr(e) => {
|
||||||
let receiver_ty = self.infer_expr_opt(e.expr())?;
|
let receiver_ty = self.infer_expr_opt(e.expr())?;
|
||||||
if let Some(nr) = e.name_ref() {
|
if let Some(nr) = e.name_ref() {
|
||||||
let text = nr.text();
|
|
||||||
match receiver_ty {
|
match receiver_ty {
|
||||||
Ty::Tuple(fields) => {
|
Ty::Tuple(fields) => {
|
||||||
let i = text.parse::<usize>().ok();
|
let i = nr.text().parse::<usize>().ok();
|
||||||
i.and_then(|i| fields.get(i).cloned())
|
i.and_then(|i| fields.get(i).cloned())
|
||||||
.unwrap_or(Ty::Unknown)
|
.unwrap_or(Ty::Unknown)
|
||||||
}
|
}
|
||||||
Ty::Adt { def_id, .. } => self.db.type_for_field(def_id, text)?,
|
Ty::Adt { def_id, .. } => self.db.type_for_field(def_id, nr.as_name())?,
|
||||||
_ => Ty::Unknown,
|
_ => Ty::Unknown,
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
|
|
|
@ -57,6 +57,7 @@ impl Conv for CompletionItemKind {
|
||||||
CompletionItemKind::Function => Function,
|
CompletionItemKind::Function => Function,
|
||||||
CompletionItemKind::Struct => Struct,
|
CompletionItemKind::Struct => Struct,
|
||||||
CompletionItemKind::Enum => Enum,
|
CompletionItemKind::Enum => Enum,
|
||||||
|
CompletionItemKind::EnumVariant => EnumMember,
|
||||||
CompletionItemKind::Binding => Variable,
|
CompletionItemKind::Binding => Variable,
|
||||||
CompletionItemKind::Field => Field,
|
CompletionItemKind::Field => Field,
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in a new issue