rust/crates/ra_syntax/src/ast.rs

650 lines
16 KiB
Rust
Raw Normal View History

2018-08-09 16:43:39 +02:00
mod generated;
2018-09-08 00:16:07 +02:00
use std::marker::PhantomData;
2018-08-16 11:51:40 +02:00
use itertools::Itertools;
2018-08-13 13:24:22 +02:00
pub use self::generated::*;
2018-10-15 18:55:32 +02:00
use crate::{
2019-01-07 14:15:47 +01:00
yellow::{SyntaxNode, SyntaxNodeChildren, TreePtr, RaTypes},
SmolStr,
SyntaxKind::*,
2018-08-09 15:03:21 +02:00
};
2018-07-30 20:58:49 +02:00
2018-11-06 20:06:58 +01:00
/// The main trait to go from untyped `SyntaxNode` to a typed ast. The
/// conversion itself has zero runtime cost: ast and syntax nodes have exactly
/// the same representation: a pointer to the tree root and a pointer to the
/// node itself.
2019-01-07 14:15:47 +01:00
pub trait AstNode: rowan::TransparentNewType<Repr = rowan::SyntaxNode<RaTypes>> {
fn cast(syntax: &SyntaxNode) -> Option<&Self>
where
Self: Sized;
2019-01-07 14:15:47 +01:00
fn syntax(&self) -> &SyntaxNode;
fn to_owned(&self) -> TreePtr<Self>;
2018-08-09 15:03:21 +02:00
}
2019-01-07 14:15:47 +01:00
pub trait NameOwner: AstNode {
fn name(&self) -> Option<&Name> {
2018-08-22 16:01:51 +02:00
child_opt(self)
2018-08-11 11:28:59 +02:00
}
}
2019-01-07 14:15:47 +01:00
pub trait VisibilityOwner: AstNode {
fn visibility(&self) -> Option<&Visibility> {
2019-01-03 11:47:28 +01:00
child_opt(self)
}
}
2019-01-07 14:15:47 +01:00
pub trait LoopBodyOwner: AstNode {
fn loop_body(&self) -> Option<&Block> {
2018-08-30 20:32:12 +02:00
child_opt(self)
}
}
2019-01-07 14:15:47 +01:00
pub trait ArgListOwner: AstNode {
fn arg_list(&self) -> Option<&ArgList> {
2018-09-03 01:01:43 +02:00
child_opt(self)
}
}
2019-01-07 14:15:47 +01:00
pub trait FnDefOwner: AstNode {
fn functions(&self) -> AstChildren<FnDef> {
2018-09-08 00:35:20 +02:00
children(self)
}
}
2019-01-08 09:28:42 +01:00
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub enum ItemOrMacro<'a> {
Item(&'a ModuleItem),
Macro(&'a MacroCall),
}
2019-01-07 14:15:47 +01:00
pub trait ModuleItemOwner: AstNode {
fn items(&self) -> AstChildren<ModuleItem> {
2019-01-01 19:52:07 +01:00
children(self)
}
2019-01-08 09:28:42 +01:00
fn items_with_macros(&self) -> ItemOrMacroIter {
ItemOrMacroIter(self.syntax().children())
}
}
#[derive(Debug)]
pub struct ItemOrMacroIter<'a>(SyntaxNodeChildren<'a>);
impl<'a> Iterator for ItemOrMacroIter<'a> {
type Item = ItemOrMacro<'a>;
fn next(&mut self) -> Option<ItemOrMacro<'a>> {
loop {
let n = self.0.next()?;
if let Some(item) = ModuleItem::cast(n) {
return Some(ItemOrMacro::Item(item));
}
if let Some(call) = MacroCall::cast(n) {
return Some(ItemOrMacro::Macro(call));
}
}
}
2018-09-03 14:10:06 +02:00
}
2019-01-07 14:15:47 +01:00
pub trait TypeParamsOwner: AstNode {
fn type_param_list(&self) -> Option<&TypeParamList> {
2018-08-22 16:01:51 +02:00
child_opt(self)
2018-08-22 15:46:42 +02:00
}
2019-01-07 14:15:47 +01:00
fn where_clause(&self) -> Option<&WhereClause> {
2018-08-22 16:01:51 +02:00
child_opt(self)
2018-08-22 15:46:42 +02:00
}
}
2019-01-07 14:15:47 +01:00
pub trait AttrsOwner: AstNode {
fn attrs(&self) -> AstChildren<Attr> {
2018-09-08 00:16:07 +02:00
children(self)
2018-08-16 11:51:40 +02:00
}
}
2019-01-07 14:15:47 +01:00
pub trait DocCommentsOwner: AstNode {
fn doc_comments(&self) -> AstChildren<Comment> {
2018-10-31 21:41:43 +01:00
children(self)
}
/// Returns the textual content of a doc comment block as a single string.
/// That is, strips leading `///` and joins lines
2019-01-07 14:15:47 +01:00
fn doc_comment_text(&self) -> std::string::String {
self.doc_comments()
2019-01-04 14:29:00 +01:00
.filter(|comment| comment.is_doc_comment())
.map(|comment| {
let prefix = comment.prefix();
2018-10-31 21:41:43 +01:00
let trimmed = comment
.text()
.as_str()
.trim()
.trim_start_matches(prefix)
.trim_start();
trimmed.to_owned()
2018-10-31 21:41:43 +01:00
})
.join("\n")
}
}
2019-01-07 14:15:47 +01:00
impl FnDef {
2018-08-09 15:03:21 +02:00
pub fn has_atom_attr(&self, atom: &str) -> bool {
self.attrs().filter_map(|x| x.as_atom()).any(|x| x == atom)
2018-08-16 11:51:40 +02:00
}
}
2019-01-07 14:15:47 +01:00
impl Attr {
2018-08-16 12:11:20 +02:00
pub fn as_atom(&self) -> Option<SmolStr> {
let tt = self.value()?;
let (_bra, attr, _ket) = tt.syntax().children().collect_tuple()?;
if attr.kind() == IDENT {
2018-10-02 16:07:12 +02:00
Some(attr.leaf_text().unwrap().clone())
2018-08-16 12:11:20 +02:00
} else {
None
}
}
2019-01-07 14:15:47 +01:00
pub fn as_call(&self) -> Option<(SmolStr, &TokenTree)> {
2018-08-16 12:11:20 +02:00
let tt = self.value()?;
let (_bra, attr, args, _ket) = tt.syntax().children().collect_tuple()?;
let args = TokenTree::cast(args)?;
if attr.kind() == IDENT {
2018-10-02 16:07:12 +02:00
Some((attr.leaf_text().unwrap().clone(), args))
2018-08-16 12:11:20 +02:00
} else {
None
}
2018-08-09 15:03:21 +02:00
}
}
2019-01-07 14:15:47 +01:00
impl Lifetime {
2018-08-28 22:59:57 +02:00
pub fn text(&self) -> SmolStr {
2018-10-02 16:07:12 +02:00
self.syntax().leaf_text().unwrap().clone()
2018-08-28 22:59:57 +02:00
}
}
2019-01-07 14:15:47 +01:00
impl Char {
pub fn text(&self) -> &SmolStr {
2018-11-11 20:27:00 +01:00
&self.syntax().leaf_text().unwrap()
}
}
2019-01-07 14:15:47 +01:00
impl Byte {
2018-11-11 20:27:00 +01:00
pub fn text(&self) -> &SmolStr {
2018-11-11 20:41:43 +01:00
&self.syntax().leaf_text().unwrap()
}
}
2019-01-07 14:15:47 +01:00
impl ByteString {
2018-11-11 20:41:43 +01:00
pub fn text(&self) -> &SmolStr {
&self.syntax().leaf_text().unwrap()
}
}
2019-01-07 14:15:47 +01:00
impl String {
2018-11-08 15:42:00 +01:00
pub fn text(&self) -> &SmolStr {
&self.syntax().leaf_text().unwrap()
}
}
2019-01-07 14:15:47 +01:00
impl Comment {
pub fn text(&self) -> &SmolStr {
self.syntax().leaf_text().unwrap()
2018-10-11 16:25:35 +02:00
}
pub fn flavor(&self) -> CommentFlavor {
let text = self.text();
if text.starts_with("///") {
CommentFlavor::Doc
} else if text.starts_with("//!") {
CommentFlavor::ModuleDoc
} else if text.starts_with("//") {
CommentFlavor::Line
} else {
CommentFlavor::Multiline
}
}
2019-01-04 14:29:00 +01:00
pub fn is_doc_comment(&self) -> bool {
self.flavor().is_doc_comment()
}
2018-10-11 16:25:35 +02:00
pub fn prefix(&self) -> &'static str {
self.flavor().prefix()
}
pub fn count_newlines_lazy(&self) -> impl Iterator<Item = &()> {
self.text().chars().filter(|&c| c == '\n').map(|_| &())
}
pub fn has_newlines(&self) -> bool {
self.count_newlines_lazy().count() > 0
}
2018-10-11 16:25:35 +02:00
}
2018-10-12 19:49:08 +02:00
#[derive(Debug, PartialEq, Eq)]
2018-10-11 16:25:35 +02:00
pub enum CommentFlavor {
Line,
Doc,
ModuleDoc,
Multiline,
2018-10-11 16:25:35 +02:00
}
impl CommentFlavor {
pub fn prefix(&self) -> &'static str {
use self::CommentFlavor::*;
match *self {
Line => "//",
Doc => "///",
ModuleDoc => "//!",
Multiline => "/*",
2018-10-11 16:25:35 +02:00
}
}
2019-01-04 14:29:00 +01:00
pub fn is_doc_comment(&self) -> bool {
match self {
CommentFlavor::Doc | CommentFlavor::ModuleDoc => true,
_ => false,
}
}
2018-10-11 16:25:35 +02:00
}
2019-01-07 14:15:47 +01:00
impl Whitespace {
pub fn text(&self) -> &SmolStr {
&self.syntax().leaf_text().unwrap()
}
pub fn count_newlines_lazy(&self) -> impl Iterator<Item = &()> {
self.text().chars().filter(|&c| c == '\n').map(|_| &())
}
pub fn has_newlines(&self) -> bool {
self.count_newlines_lazy().count() > 0
}
}
2019-01-07 14:15:47 +01:00
impl Name {
2018-08-13 13:24:22 +02:00
pub fn text(&self) -> SmolStr {
let ident = self.syntax().first_child().unwrap();
2018-10-02 16:07:12 +02:00
ident.leaf_text().unwrap().clone()
2018-07-30 20:58:49 +02:00
}
}
2018-08-13 15:35:17 +02:00
2019-01-07 14:15:47 +01:00
impl NameRef {
2018-08-13 15:35:17 +02:00
pub fn text(&self) -> SmolStr {
let ident = self.syntax().first_child().unwrap();
2018-10-02 16:07:12 +02:00
ident.leaf_text().unwrap().clone()
2018-08-13 15:35:17 +02:00
}
}
2018-08-14 11:38:20 +02:00
2019-01-07 14:15:47 +01:00
impl ImplBlock {
pub fn target_type(&self) -> Option<&TypeRef> {
2018-08-14 11:38:20 +02:00
match self.target() {
(Some(t), None) | (_, Some(t)) => Some(t),
_ => None,
}
}
2019-01-07 14:15:47 +01:00
pub fn target_trait(&self) -> Option<&TypeRef> {
2018-08-14 11:38:20 +02:00
match self.target() {
(Some(t), Some(_)) => Some(t),
_ => None,
}
}
2019-01-07 14:15:47 +01:00
fn target(&self) -> (Option<&TypeRef>, Option<&TypeRef>) {
2018-08-22 16:01:51 +02:00
let mut types = children(self);
2018-08-14 11:38:20 +02:00
let first = types.next();
let second = types.next();
(first, second)
}
}
2018-08-17 14:37:17 +02:00
2019-01-07 14:15:47 +01:00
impl Module {
pub fn has_semi(&self) -> bool {
2018-08-17 21:00:13 +02:00
match self.syntax().last_child() {
2018-08-17 14:37:17 +02:00
None => false,
Some(node) => node.kind() == SEMI,
}
}
}
2018-08-22 16:01:51 +02:00
2019-01-07 14:15:47 +01:00
impl LetStmt {
pub fn has_semi(&self) -> bool {
2018-08-28 10:12:42 +02:00
match self.syntax().last_child() {
None => false,
Some(node) => node.kind() == SEMI,
}
}
}
2019-01-07 14:15:47 +01:00
impl IfExpr {
pub fn then_branch(&self) -> Option<&Block> {
2018-08-27 11:22:09 +02:00
self.blocks().nth(0)
}
2019-01-07 14:15:47 +01:00
pub fn else_branch(&self) -> Option<&Block> {
2018-08-27 11:22:09 +02:00
self.blocks().nth(1)
}
2019-01-07 14:15:47 +01:00
fn blocks(&self) -> AstChildren<Block> {
2018-08-27 11:22:09 +02:00
children(self)
}
}
2018-12-21 23:29:59 +01:00
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
2018-10-24 17:37:25 +02:00
pub enum PathSegmentKind<'a> {
2019-01-07 14:15:47 +01:00
Name(&'a NameRef),
2018-10-24 17:37:25 +02:00
SelfKw,
SuperKw,
CrateKw,
}
2019-01-07 14:15:47 +01:00
impl PathSegment {
pub fn parent_path(&self) -> &Path {
2018-10-31 21:41:43 +01:00
self.syntax()
.parent()
.and_then(Path::cast)
2018-10-24 17:37:25 +02:00
.expect("segments are always nested in paths")
}
2019-01-07 14:15:47 +01:00
pub fn kind(&self) -> Option<PathSegmentKind> {
2018-10-24 17:37:25 +02:00
let res = if let Some(name_ref) = self.name_ref() {
PathSegmentKind::Name(name_ref)
} else {
match self.syntax().first_child()?.kind() {
SELF_KW => PathSegmentKind::SelfKw,
SUPER_KW => PathSegmentKind::SuperKw,
CRATE_KW => PathSegmentKind::CrateKw,
_ => return None,
}
};
Some(res)
}
}
2019-01-07 14:15:47 +01:00
impl Path {
pub fn parent_path(&self) -> Option<&Path> {
2019-01-05 11:45:18 +01:00
self.syntax().parent().and_then(Path::cast)
}
}
2019-01-07 14:15:47 +01:00
impl UseTree {
pub fn has_star(&self) -> bool {
2018-11-20 17:24:58 +01:00
self.syntax().children().any(|it| it.kind() == STAR)
}
}
2019-01-07 14:15:47 +01:00
impl UseTreeList {
pub fn parent_use_tree(&self) -> &UseTree {
2018-11-07 19:38:41 +01:00
self.syntax()
.parent()
.and_then(UseTree::cast)
.expect("UseTreeLists are always nested in UseTrees")
}
}
2019-01-07 14:15:47 +01:00
fn child_opt<P: AstNode, C: AstNode>(parent: &P) -> Option<&C> {
2018-08-22 16:01:51 +02:00
children(parent).next()
}
2019-01-07 14:15:47 +01:00
fn children<P: AstNode, C: AstNode>(parent: &P) -> AstChildren<C> {
2018-09-08 00:35:20 +02:00
AstChildren::new(parent.syntax())
2018-09-08 00:16:07 +02:00
}
#[derive(Debug)]
2018-09-08 00:35:20 +02:00
pub struct AstChildren<'a, N> {
2019-01-07 14:15:47 +01:00
inner: SyntaxNodeChildren<'a>,
2018-09-08 00:16:07 +02:00
ph: PhantomData<N>,
}
2018-09-08 00:35:20 +02:00
impl<'a, N> AstChildren<'a, N> {
2019-01-07 14:15:47 +01:00
fn new(parent: &'a SyntaxNode) -> Self {
2018-09-08 00:35:20 +02:00
AstChildren {
2018-09-08 00:16:07 +02:00
inner: parent.children(),
ph: PhantomData,
}
}
}
2019-01-07 14:15:47 +01:00
impl<'a, N: AstNode + 'a> Iterator for AstChildren<'a, N> {
type Item = &'a N;
fn next(&mut self) -> Option<&'a N> {
2018-09-08 00:16:07 +02:00
loop {
if let Some(n) = N::cast(self.inner.next()?) {
return Some(n);
2018-09-08 00:16:07 +02:00
}
}
}
2018-08-22 16:01:51 +02:00
}
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum StructFlavor<'a> {
2019-01-07 14:15:47 +01:00
Tuple(&'a PosFieldList),
Named(&'a NamedFieldDefList),
Unit,
}
2019-01-07 14:15:47 +01:00
impl StructFlavor<'_> {
fn from_node<N: AstNode>(node: &N) -> StructFlavor {
if let Some(nfdl) = child_opt::<_, NamedFieldDefList>(node) {
StructFlavor::Named(nfdl)
} else if let Some(pfl) = child_opt::<_, PosFieldList>(node) {
StructFlavor::Tuple(pfl)
} else {
StructFlavor::Unit
}
}
}
2019-01-07 14:15:47 +01:00
impl StructDef {
pub fn flavor(&self) -> StructFlavor {
StructFlavor::from_node(self)
}
}
2019-01-07 14:15:47 +01:00
impl EnumVariant {
pub fn flavor(&self) -> StructFlavor {
StructFlavor::from_node(self)
}
}
2019-01-07 14:15:47 +01:00
impl PointerType {
pub fn is_mut(&self) -> bool {
self.syntax().children().any(|n| n.kind() == MUT_KW)
}
}
2019-01-07 14:15:47 +01:00
impl ReferenceType {
pub fn is_mut(&self) -> bool {
self.syntax().children().any(|n| n.kind() == MUT_KW)
}
}
2019-01-07 14:15:47 +01:00
impl RefExpr {
pub fn is_mut(&self) -> bool {
self.syntax().children().any(|n| n.kind() == MUT_KW)
}
}
#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
pub enum PrefixOp {
/// The `*` operator for dereferencing
Deref,
/// The `!` operator for logical inversion
Not,
/// The `-` operator for negation
Neg,
}
2019-01-07 14:15:47 +01:00
impl PrefixExpr {
pub fn op(&self) -> Option<PrefixOp> {
match self.syntax().first_child()?.kind() {
STAR => Some(PrefixOp::Deref),
EXCL => Some(PrefixOp::Not),
MINUS => Some(PrefixOp::Neg),
_ => None,
}
}
}
2019-01-04 14:51:45 +01:00
2018-12-29 21:32:07 +01:00
#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
pub enum BinOp {
/// The `||` operator for boolean OR
BooleanOr,
/// The `&&` operator for boolean AND
BooleanAnd,
/// The `==` operator for equality testing
EqualityTest,
/// The `<=` operator for lesser-equal testing
LesserEqualTest,
/// The `>=` operator for greater-equal testing
GreaterEqualTest,
/// The `<` operator for comparison
LesserTest,
/// The `>` operator for comparison
GreaterTest,
2019-01-07 19:03:25 +01:00
/// The `+` operator for addition
Addition,
/// The `*` operator for multiplication
Multiplication,
/// The `-` operator for subtraction
Subtraction,
/// The `/` operator for division
Division,
/// The `%` operator for remainder after division
Remainder,
/// The `<<` operator for left shift
LeftShift,
/// The `>>` operator for right shift
RightShift,
/// The `^` operator for bitwise XOR
BitwiseXor,
/// The `|` operator for bitwise OR
BitwiseOr,
/// The `&` operator for bitwise AND
BitwiseAnd,
/// The `..` operator for right-open ranges
RangeRightOpen,
/// The `..=` operator for right-closed ranges
RangeRightClosed,
/// The `=` operator for assignment
Assignment,
/// The `+=` operator for assignment after additon
AddAssign,
/// The `/=` operator for assignment after division
DivAssign,
/// The `*=` operator for assignment after multiplication
MulAssign,
/// The `%=` operator for assignment after remainders
RemAssign,
/// The `>>=` operator for assignment after shifting right
ShrAssign,
/// The `<<=` operator for assignment after shifting left
ShlAssign,
/// The `-=` operator for assignment after subtraction
SubAssign,
/// The `|=` operator for assignment after bitwise OR
BitOrAssign,
/// The `&=` operator for assignment after bitwise AND
BitAndAssign,
/// The `^=` operator for assignment after bitwise XOR
BitXorAssign,
}
2019-01-07 14:15:47 +01:00
impl BinExpr {
pub fn op(&self) -> Option<BinOp> {
self.syntax()
.children()
.filter_map(|c| match c.kind() {
PIPEPIPE => Some(BinOp::BooleanOr),
AMPAMP => Some(BinOp::BooleanAnd),
EQEQ => Some(BinOp::EqualityTest),
LTEQ => Some(BinOp::LesserEqualTest),
GTEQ => Some(BinOp::GreaterEqualTest),
L_ANGLE => Some(BinOp::LesserTest),
R_ANGLE => Some(BinOp::GreaterTest),
2019-01-07 19:03:25 +01:00
PLUS => Some(BinOp::Addition),
STAR => Some(BinOp::Multiplication),
MINUS => Some(BinOp::Subtraction),
SLASH => Some(BinOp::Division),
PERCENT => Some(BinOp::Remainder),
SHL => Some(BinOp::LeftShift),
SHR => Some(BinOp::RightShift),
CARET => Some(BinOp::BitwiseXor),
PIPE => Some(BinOp::BitwiseOr),
AMP => Some(BinOp::BitwiseAnd),
DOTDOT => Some(BinOp::RangeRightOpen),
DOTDOTEQ => Some(BinOp::RangeRightClosed),
EQ => Some(BinOp::Assignment),
PLUSEQ => Some(BinOp::AddAssign),
SLASHEQ => Some(BinOp::DivAssign),
STAREQ => Some(BinOp::MulAssign),
PERCENTEQ => Some(BinOp::RemAssign),
SHREQ => Some(BinOp::ShrAssign),
SHLEQ => Some(BinOp::ShlAssign),
MINUSEQ => Some(BinOp::SubAssign),
PIPEEQ => Some(BinOp::BitOrAssign),
AMPEQ => Some(BinOp::BitAndAssign),
CARETEQ => Some(BinOp::BitXorAssign),
_ => None,
})
.next()
}
2019-01-07 14:15:47 +01:00
pub fn lhs(&self) -> Option<&Expr> {
children(self).nth(0)
}
2019-01-07 14:15:47 +01:00
pub fn rhs(&self) -> Option<&Expr> {
children(self).nth(1)
}
2019-01-07 14:15:47 +01:00
pub fn sub_exprs(&self) -> (Option<&Expr>, Option<&Expr>) {
let mut children = children(self);
let first = children.next();
let second = children.next();
(first, second)
}
}
#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)]
2018-12-29 21:32:07 +01:00
pub enum SelfParamFlavor {
/// self
Owned,
/// &self
Ref,
/// &mut self
MutRef,
}
2019-01-07 14:15:47 +01:00
impl SelfParam {
2018-12-29 21:32:07 +01:00
pub fn flavor(&self) -> SelfParamFlavor {
let borrowed = self.syntax().children().any(|n| n.kind() == AMP);
if borrowed {
// check for a `mut` coming after the & -- `mut &self` != `&mut self`
if self
.syntax()
.children()
.skip_while(|n| n.kind() != AMP)
.any(|n| n.kind() == MUT_KW)
{
SelfParamFlavor::MutRef
} else {
SelfParamFlavor::Ref
}
} else {
SelfParamFlavor::Owned
}
}
}
2019-01-04 14:51:45 +01:00
#[test]
fn test_doc_comment_of_items() {
2019-01-07 14:15:47 +01:00
let file = SourceFile::parse(
2019-01-04 14:51:45 +01:00
r#"
//! doc
// non-doc
mod foo {}
"#,
);
let module = file.syntax().descendants().find_map(Module::cast).unwrap();
assert_eq!("doc", module.doc_comment_text());
}