rust/crates/ra_syntax/src/lib.rs

321 lines
10 KiB
Rust
Raw Normal View History

2019-02-21 06:24:42 -06:00
//! Syntax Tree library used throughout the rust analyzer.
//!
2019-02-21 06:24:42 -06:00
//! Properties:
//! - easy and fast incremental re-parsing
//! - graceful handling of errors
//! - full-fidelity representation (*any* text can be precisely represented as
//! a syntax tree)
//!
2019-02-21 06:24:42 -06:00
//! For more information, see the [RFC]. Current implementation is inspired by
//! the [Swift] one.
//!
2019-02-21 06:24:42 -06:00
//! The most interesting modules here are `syntax_node` (which defines concrete
//! syntax tree) and `ast` (which defines abstract syntax tree on top of the
2019-06-15 02:24:02 -05:00
//! CST). The actual parser live in a separate `ra_parser` crate, though the
2019-02-21 06:24:42 -06:00
//! lexer lives in this crate.
//!
2019-02-21 08:35:45 -06:00
//! See `api_walkthrough` test in this file for a quick API tour!
//!
2019-02-21 06:24:42 -06:00
//! [RFC]: <https://github.com/rust-lang/rfcs/pull/2256>
//! [Swift]: <https://github.com/apple/swift/blob/13d593df6f359d0cb2fc81cfaac273297c539455/lib/Syntax/README.md>
mod syntax_node;
mod syntax_error;
mod parsing;
mod validation;
2019-01-23 08:37:10 -06:00
mod ptr;
pub mod algo;
pub mod ast;
2019-03-21 12:05:12 -05:00
#[doc(hidden)]
pub mod fuzz;
2018-07-29 07:16:07 -05:00
2019-07-18 11:23:05 -05:00
use std::{fmt::Write, marker::PhantomData, sync::Arc};
2019-05-05 03:31:27 -05:00
use ra_text_edit::AtomTextEdit;
2019-07-18 15:19:04 -05:00
use crate::syntax_node::GreenNode;
2019-05-05 03:31:27 -05:00
2018-10-15 11:55:32 -05:00
pub use crate::{
2019-07-18 12:11:05 -05:00
ast::{AstNode, AstToken},
parsing::{classify_literal, tokenize, Token},
ptr::{AstPtr, SyntaxNodePtr},
syntax_error::{Location, SyntaxError, SyntaxErrorKind},
syntax_node::{
2019-07-20 12:04:34 -05:00
Direction, InsertPosition, NodeOrToken, SyntaxElement, SyntaxNode, SyntaxToken,
SyntaxTreeBuilder, WalkEvent,
},
2018-07-29 07:16:07 -05:00
};
pub use ra_parser::SyntaxKind;
pub use ra_parser::T;
2019-07-20 12:04:34 -05:00
pub use rowan::{SmolStr, SyntaxText, TextRange, TextUnit};
2018-07-29 07:16:07 -05:00
2019-05-05 03:31:27 -05:00
/// `Parse` is the result of the parsing: a syntax tree and a collection of
/// errors.
///
/// Note that we always produce a syntax tree, even for completely invalid
/// files.
2019-07-18 14:29:20 -05:00
#[derive(Debug, PartialEq, Eq)]
2019-07-18 11:23:05 -05:00
pub struct Parse<T> {
green: GreenNode,
errors: Arc<Vec<SyntaxError>>,
2019-07-18 11:23:05 -05:00
_ty: PhantomData<fn() -> T>,
2019-05-05 03:31:27 -05:00
}
2019-07-18 11:23:05 -05:00
impl<T> Clone for Parse<T> {
2019-07-18 14:29:20 -05:00
fn clone(&self) -> Parse<T> {
2019-07-18 11:23:05 -05:00
Parse { green: self.green.clone(), errors: self.errors.clone(), _ty: PhantomData }
2019-07-18 14:29:20 -05:00
}
}
2019-07-18 11:23:05 -05:00
impl<T> Parse<T> {
fn new(green: GreenNode, errors: Vec<SyntaxError>) -> Parse<T> {
Parse { green, errors: Arc::new(errors), _ty: PhantomData }
2019-07-18 14:29:20 -05:00
}
2019-07-19 02:43:01 -05:00
pub fn syntax_node(&self) -> SyntaxNode {
2019-07-20 12:04:34 -05:00
SyntaxNode::new_root(self.green.clone())
2019-07-18 11:23:05 -05:00
}
}
impl<T: AstNode> Parse<T> {
pub fn to_syntax(self) -> Parse<SyntaxNode> {
Parse { green: self.green, errors: self.errors, _ty: PhantomData }
}
pub fn tree(&self) -> T {
T::cast(self.syntax_node()).unwrap()
}
pub fn errors(&self) -> &[SyntaxError] {
&*self.errors
}
2019-07-18 11:23:05 -05:00
pub fn ok(self) -> Result<T, Arc<Vec<SyntaxError>>> {
2019-05-05 03:31:27 -05:00
if self.errors.is_empty() {
2019-07-18 11:23:05 -05:00
Ok(self.tree())
2019-05-05 03:31:27 -05:00
} else {
Err(self.errors)
}
}
2019-07-18 14:29:20 -05:00
}
2019-05-28 08:59:22 -05:00
2019-07-18 11:23:05 -05:00
impl Parse<SyntaxNode> {
pub fn cast<N: AstNode>(self) -> Option<Parse<N>> {
if N::cast(self.syntax_node()).is_some() {
Some(Parse { green: self.green, errors: self.errors, _ty: PhantomData })
} else {
None
}
2019-07-18 15:19:04 -05:00
}
}
2019-07-18 14:29:20 -05:00
impl Parse<SourceFile> {
2019-05-28 08:59:22 -05:00
pub fn debug_dump(&self) -> String {
2019-07-20 04:48:24 -05:00
let mut buf = format!("{:#?}", self.tree().syntax());
2019-05-28 08:59:22 -05:00
for err in self.errors.iter() {
2019-05-29 02:12:08 -05:00
writeln!(buf, "error {:?}: {}", err.location(), err.kind()).unwrap();
2019-05-28 08:59:22 -05:00
}
buf
}
2019-05-28 09:34:28 -05:00
2019-07-18 14:29:20 -05:00
pub fn reparse(&self, edit: &AtomTextEdit) -> Parse<SourceFile> {
self.incremental_reparse(edit).unwrap_or_else(|| self.full_reparse(edit))
}
fn incremental_reparse(&self, edit: &AtomTextEdit) -> Option<Parse<SourceFile>> {
2019-05-28 09:34:28 -05:00
// FIXME: validation errors are not handled here
2019-07-18 11:23:05 -05:00
parsing::incremental_reparse(self.tree().syntax(), edit, self.errors.to_vec()).map(
2019-05-28 09:34:28 -05:00
|(green_node, errors, _reparsed_range)| Parse {
2019-07-18 11:23:05 -05:00
green: green_node,
2019-05-28 09:34:28 -05:00
errors: Arc::new(errors),
2019-07-18 11:23:05 -05:00
_ty: PhantomData,
2019-05-28 09:34:28 -05:00
},
)
}
2019-07-18 14:29:20 -05:00
fn full_reparse(&self, edit: &AtomTextEdit) -> Parse<SourceFile> {
2019-07-18 11:23:05 -05:00
let text = edit.apply(self.tree().syntax().text().to_string());
2019-05-28 09:34:28 -05:00
SourceFile::parse(&text)
}
2019-05-05 03:31:27 -05:00
}
2018-08-25 04:10:35 -05:00
2019-01-07 07:15:47 -06:00
/// `SourceFile` represents a parse tree for a single Rust file.
pub use crate::ast::SourceFile;
2018-08-25 03:40:17 -05:00
2019-01-07 07:15:47 -06:00
impl SourceFile {
2019-07-18 11:23:05 -05:00
fn new(green: GreenNode) -> SourceFile {
2019-07-20 12:04:34 -05:00
let root = SyntaxNode::new_root(green);
2018-09-08 10:34:41 -05:00
if cfg!(debug_assertions) {
2019-02-21 06:51:22 -06:00
validation::validate_block_structure(&root);
2018-09-08 10:34:41 -05:00
}
2018-11-07 09:38:43 -06:00
assert_eq!(root.kind(), SyntaxKind::SOURCE_FILE);
2019-07-18 11:23:05 -05:00
SourceFile::cast(root).unwrap()
2018-08-25 03:40:17 -05:00
}
2019-01-14 12:30:21 -06:00
2019-07-18 14:29:20 -05:00
pub fn parse(text: &str) -> Parse<SourceFile> {
2019-05-28 09:09:45 -05:00
let (green, mut errors) = parsing::parse_text(text);
2019-07-18 11:23:05 -05:00
errors.extend(validation::validate(&SourceFile::new(green.clone())));
Parse { green, errors: Arc::new(errors), _ty: PhantomData }
2019-05-28 08:59:22 -05:00
}
2018-08-24 11:27:30 -05:00
}
2019-02-21 06:51:22 -06:00
2019-02-21 08:35:45 -06:00
/// This test does not assert anything and instead just shows off the crate's
/// API.
#[test]
fn api_walkthrough() {
use ast::{ModuleItemOwner, NameOwner};
let source_code = "
fn foo() {
1 + 1
}
";
// `SourceFile` is the main entry point.
//
2019-05-28 09:34:28 -05:00
// The `parse` method returns a `Parse` -- a pair of syntax tree and a list
// of errors. That is, syntax tree is constructed even in presence of errors.
let parse = SourceFile::parse(source_code);
2019-07-18 11:23:05 -05:00
assert!(parse.errors().is_empty());
2019-02-21 08:35:45 -06:00
2019-07-18 11:23:05 -05:00
// The `tree` method returns an owned syntax node of type `SourceFile`.
// Owned nodes are cheap: inside, they are `Rc` handles to the underling data.
let file: SourceFile = parse.tree();
2019-02-21 08:35:45 -06:00
2019-07-18 11:23:05 -05:00
// `SourceFile` is the root of the syntax tree. We can iterate file's items.
// Let's fetch the `foo` function.
2019-02-21 08:35:45 -06:00
let mut func = None;
for item in file.items() {
match item.kind() {
ast::ModuleItemKind::FnDef(f) => func = Some(f),
_ => unreachable!(),
}
}
2019-07-18 11:23:05 -05:00
let func: ast::FnDef = func.unwrap();
2019-02-21 08:35:45 -06:00
// Each AST node has a bunch of getters for children. All getters return
// `Option`s though, to account for incomplete code. Some getters are common
// for several kinds of node. In this case, a trait like `ast::NameOwner`
// usually exists. By convention, all ast types should be used with `ast::`
// qualifier.
2019-07-18 11:23:05 -05:00
let name: Option<ast::Name> = func.name();
2019-02-21 08:35:45 -06:00
let name = name.unwrap();
assert_eq!(name.text(), "foo");
// Let's get the `1 + 1` expression!
2019-07-18 11:23:05 -05:00
let block: ast::Block = func.body().unwrap();
let expr: ast::Expr = block.expr().unwrap();
2019-02-21 08:35:45 -06:00
// "Enum"-like nodes are represented using the "kind" pattern. It allows us
// to match exhaustively against all flavors of nodes, while maintaining
// internal representation flexibility. The drawback is that one can't write
// nested matches as one pattern.
2019-07-18 11:23:05 -05:00
let bin_expr: ast::BinExpr = match expr.kind() {
2019-02-21 08:35:45 -06:00
ast::ExprKind::BinExpr(e) => e,
_ => unreachable!(),
};
// Besides the "typed" AST API, there's an untyped CST one as well.
// To switch from AST to CST, call `.syntax()` method:
let expr_syntax: &SyntaxNode = expr.syntax();
// Note how `expr` and `bin_expr` are in fact the same node underneath:
2019-07-18 11:23:05 -05:00
assert!(expr_syntax == bin_expr.syntax());
2019-02-21 08:35:45 -06:00
// To go from CST to AST, `AstNode::cast` function is used:
2019-07-18 11:23:05 -05:00
let _expr: ast::Expr = match ast::Expr::cast(expr_syntax.clone()) {
2019-02-21 08:35:45 -06:00
Some(e) => e,
None => unreachable!(),
};
// The two properties each syntax node has is a `SyntaxKind`:
assert_eq!(expr_syntax.kind(), SyntaxKind::BIN_EXPR);
// And text range:
2019-07-20 04:58:27 -05:00
assert_eq!(expr_syntax.text_range(), TextRange::from_to(32.into(), 37.into()));
2019-02-21 08:35:45 -06:00
// You can get node's text as a `SyntaxText` object, which will traverse the
// tree collecting token's text:
2019-07-19 13:41:36 -05:00
let text: SyntaxText = expr_syntax.text();
2019-02-21 08:35:45 -06:00
assert_eq!(text.to_string(), "1 + 1");
// There's a bunch of traversal methods on `SyntaxNode`:
2019-07-18 11:23:05 -05:00
assert_eq!(expr_syntax.parent().as_ref(), Some(block.syntax()));
2019-05-15 07:35:47 -05:00
assert_eq!(block.syntax().first_child_or_token().map(|it| it.kind()), Some(T!['{']));
2019-03-30 05:25:53 -05:00
assert_eq!(
expr_syntax.next_sibling_or_token().map(|it| it.kind()),
Some(SyntaxKind::WHITESPACE)
);
2019-02-21 08:35:45 -06:00
// As well as some iterator helpers:
let f = expr_syntax.ancestors().find_map(ast::FnDef::cast);
2019-07-18 11:23:05 -05:00
assert_eq!(f, Some(func));
2019-05-15 07:35:47 -05:00
assert!(expr_syntax.siblings_with_tokens(Direction::Next).any(|it| it.kind() == T!['}']));
2019-02-21 08:35:45 -06:00
assert_eq!(
2019-03-30 05:25:53 -05:00
expr_syntax.descendants_with_tokens().count(),
2019-02-21 08:35:45 -06:00
8, // 5 tokens `1`, ` `, `+`, ` `, `!`
// 2 child literal expressions: `1`, `1`
// 1 the node itself: `1 + 1`
);
// There's also a `preorder` method with a more fine-grained iteration control:
let mut buf = String::new();
let mut indent = 0;
2019-03-30 05:25:53 -05:00
for event in expr_syntax.preorder_with_tokens() {
2019-02-21 08:35:45 -06:00
match event {
WalkEvent::Enter(node) => {
2019-07-18 11:23:05 -05:00
let text = match &node {
2019-07-20 12:04:34 -05:00
NodeOrToken::Node(it) => it.text().to_string(),
NodeOrToken::Token(it) => it.text().to_string(),
2019-03-30 05:25:53 -05:00
};
buf += &format!("{:indent$}{:?} {:?}\n", " ", text, node.kind(), indent = indent);
2019-02-21 08:35:45 -06:00
indent += 2;
}
WalkEvent::Leave(_) => indent -= 2,
}
}
assert_eq!(indent, 0);
assert_eq!(
buf.trim(),
r#"
"1 + 1" BIN_EXPR
"1" LITERAL
"1" INT_NUMBER
" " WHITESPACE
"+" PLUS
" " WHITESPACE
"1" LITERAL
"1" INT_NUMBER
"#
.trim()
);
// To recursively process the tree, there are three approaches:
// 1. explicitly call getter methods on AST nodes.
// 2. use descendants and `AstNode::cast`.
// 3. use descendants and the visitor.
//
// Here's how the first one looks like:
let exprs_cast: Vec<String> = file
.syntax()
.descendants()
.filter_map(ast::Expr::cast)
.map(|expr| expr.syntax().text().to_string())
.collect();
// An alternative is to use a visitor. The visitor does not do traversal
// automatically (so it's more akin to a generic lambda) and is constructed
// from closures. This seems more flexible than a single generated visitor
// trait.
use algo::visit::{visitor, Visitor};
let mut exprs_visit = Vec::new();
for node in file.syntax().descendants() {
if let Some(result) =
2019-07-18 11:23:05 -05:00
visitor().visit::<ast::Expr, _>(|expr| expr.syntax().text().to_string()).accept(&node)
2019-02-21 08:35:45 -06:00
{
exprs_visit.push(result);
}
}
assert_eq!(exprs_cast, exprs_visit);
}