Welcome to lib/Syntax!
This library implements data structures and algorithms for dealing with Swift syntax, striving to be safe, correct, and intuitive to use. The library emphasizes immutable, thread-safe data structures, full-fidelity representation of source, and facilities for structured editing.
What is structured editing? It's an editing strategy that is keenly aware of the structure of source code, not necessarily its representation (i.e. characters or bytes). This can be achieved at different granularities: replacing an identifier, changing a global function call to a method call, or indenting and formatting an entire source file based on declarative rules. These kinds of diverse operations are critical to the Swift Migrator, which is the immediate client for this library, now developed in the open. Along with that, the library will also provide infrastructure for a first-class swift-format
tool.
Eventually, the goal of this library is to represent Swift syntax in all of the compiler. Currently, lib/AST structures don't make a very clear distinction between syntactic and semantic information. Long term, we hope to achieve the following based on work here:
This library is a work in progress and should be expected to be in a molten state for some time. Don't integrate this into other areas of the compiler or use it for anything serious just now.
You can read more about the status of the library's implementation at the Syntax Status Page. More information about opportunities to get involved to come.
In no particular order, here is a summary of the design and implementation points for this library:
struct
.Make APIs are for creating new syntax nodes in a single call. Although you need to provide all of the pieces of syntax to these APIs, you are free to use “missing” placeholders as substructure. Make APIs return freestanding syntax nodes and do not establish parental relationships.
The SyntaxFactory
embodies the Make APIs and is the one-stop shop for creating new syntax nodes and tokens in a single call. There are two main Make APIs exposed for each Syntax node: making the node with all of the pieces, or making a blank node with all of the pieces marked as missing. For example, SyntaxFactory
has makeStructDeclSyntax
and makeBlankStructDeclSyntax
that both return a StructDeclSyntax
.
Instead of constructors on each syntax node‘s class, static creation methods are all supplied here in the SyntaxFactory
for better code completion - you don’t need to know the exact name of the class. Just type SyntaxFactory::make
and let code completion show you what you can make.
Example
// A 'typealias' keyword with one space after auto TypeAliasKeyword = SyntaxFactory::makeTypeAliasKeyword({}, Trivia::spaces(1)); // The identifier "Element" with one space after auto ElementID = SyntaxFactory::makeIdentifier("Element", {}, Trivia::spaces(1)); // An equal '=' token with one space after auto Equal = SyntaxFactory::makeEqualToken({}, Trivia::spaces(1)); // A type identifier for "Int" auto IntType = SyntaxFactory::makeTypeIdentifier("Int", {}, {}) // Finally, the actual type alias declaration syntax. auto TypeAlias = SyntaxFactory::makeTypeAliasDecl(TypeAliasKeyword, ElementID, EmptyGenericParams, Equal, IntType); TypeAlias.print(llvm::outs());
typealias Element = Int
With APIs are essentially setters on Syntax
nodes you already have in hand but, because they are immutable, return new Syntax
nodes with only the specified substructure replaced. Raw backing storage is shared as much as possible.
Example
Say you have a MyStruct
of type StructDeclSyntax
representing:
struct MyStruct {}
Now, let's create a new struct with a different identifier, “YourStruct”. The original struct is unharmed but identical tokens are shared.
auto NewIdentifier = SyntaxFactory::makeIdentifier("YourStruct", MyStruct.getIdentifier().getLeadingTrivia(), MyStruct.getIdentifier().getTrailingTrivia()); MyStruct.withIdentifier(NewIdentifier).print(llvm::outs());
struct YourStruct {}
Builder APIs are provided for building up syntax incrementally as it appears. At any point in the building process, you can call build()
and get a reasonably formed Syntax node (i.e. with no raw nullptr
s) using what you‘ve provided to the builder so far. Anything that you haven’t supplied is marked as missing. This is essentially what the parser does; so, looking forward to future adoption, the builders are designed with the parser in mind, with the hope that we can better specify recovery behavior and incremental (re-)parsing.
Example
StructDeclSyntaxBuilder Builder; // We previously parsed a struct keyword, let's tell the builder to use it. Builder.useStructKeyword(StructKeyword); // Hm, we didn't see an identifier, but saw a left brace. Let's keep going. Builder.useLeftBrace(ParsedLeftBrace) // No members of the struct; we saw a right brace. Builder.useRightBrace(ParsedRightBrace);
Let's see what we have so far.
auto StructWithoutIdentifier = Builder.build(); StructWithoutIdentifier.print(llvm::outs());
struct {}
Whoops! You forgot an identifier. Let's add one here for fun.
auto MyStructID = SyntaxFactory::makeIdentifier("MyStruct", {}, Trivia::spaces(1)); Builder.useIdentifier(MyStructID); auto StructWithIdentifier = Builder.build(); StructWithIdentifier.print(llvm::outs());
struct MyStruct {}
Much better!
Note that syntax builders own and mutate the data they will eventually use to build a syntax node. They themselves should not be shared between threads. However, anything the builder builds and returns to you is safe and immutable.
TODO
.
RawSyntax
are the raw immutable backing store for all syntax. Essentially, they store a kind, whether they were missing in the source, and the layout, which is a list of children and represents the recursive substructure. Although these are tree-like in nature, they maintain no parental relationships because they can be shared among many nodes. Eventually, RawSyntax
bottoms out in tokens, represented by the TokenSyntax
class.
RawSyntax
are the immutable backing store for all syntax.RawSyntax
are immutable.RawSyntax
establishes the tree structure of syntax.RawSyntax
store no parental relationships and can therefore be shared among syntax nodes if they have identical content.These are special cases of RawSyntax
and represent all terminals in the grammar. Aside from the token kind and the text, they have two very important pieces of information for full-fidelity source: leading and trailing source trivia surrounding the token.
RawTokenSyntax
are RawSyntax
and represent the terminals in the Swift grammar.RawSyntax
, RawTokenSyntax
are immutable.RawTokenSyntax
do have pointer equality, but they can be shared among syntax nodes.RawTokenSyntax
have leading- and trailing trivia, the purely syntactic formatting information like whitespace and comments.You‘ve already seen some uses of Trivia
in the examples above. These are pieces of syntax that aren’t really relevant to the semantics of the program, such as whitespace and comments. These are modeled as collections and, with the exception of comments, are sort of “run-length” encoded. For example, a sequence of four spaces is represented by { Kind: TriviaKind::Space, Count: 4 }
, not the literal text " "
.
Some examples of the “atoms” of Trivia
:
//
) comments/* ... */
) comments///
) comments/** ... */
) commentsThere are two Rules of Trivia that you should obey when parsing or constructing new Syntax
nodes:
A token owns all of its trailing trivia up to, but not including, the next newline character.
Looking backward in the text, a token owns all of the leading trivia up to and including the first newline character.
In other words, a contiguous stretch of trivia between two tokens is split on the leftmost newline.
Let's take a look at how this shows up in practice with a small snippet of Swift code.
Example
func foo() { var x = 2 }
Breaking this down token by token:
func
Leading trivia: none.
Trailing trivia: Takes up the space after (Rule 1).
// Equivalent to: Trivia::spaces(1)
foo
func
ate the space before.(
)
{
)
ate the space before.var
Leading trivia: One newline followed by two spaces because of Rule 2.
// Equivalent to: Trivia::newlines(1) + Trivia::spaces(2)
Trailing trivia: Takes the space after (Rule 1).
x
var
ate the space before.=
x
ate the space before.2
=
ate the space before.}
EOF
A couple of remarks about the EOF
token:
EOF
takes all remaining trivia in the source file as its leading trivia.EOF
never has trailing trivia.Trivia
represent source trivia, the whitespace and comments in a Swift source file.Trivia
are immutable.Trivia
don't have pointer identity - they are primitive values.SyntaxData
nodes wrap RawSyntax
nodes with a few important pieces of additional information: a pointer to a parent, the position in which the node occurs in its parent, and cached children.
For example, if we have a SyntaxData
, wrapping a RawSyntax
for a struct declaration, we might ask for the generic parameter clause. At first, this is only represented in the raw syntax. On first ask, we thaw those out by creating a new SyntaxData
, cache it as our child, set its parent to this
, and send it back to the caller. These cached children are strong references, keeping the syntax tree alive in memory.
You can think of SyntaxData
as “concrete” or “realized” syntax nodes. They represent a specific piece of source code, have an absolute location, line and column number, etc. RawSyntax
are more like the integer 1 - a single theoretical entity that exists, but manifesting everywhere it occurs identically in Swift source code.
Beyond this, SyntaxData
nodes have no significant public API.
SyntaxData
are immutable. However, they may mutate themselves in order to implement lazy instantiation of children and caching. That caching operation is transparent and thread-safe.SyntaxData
have identity, i.e. they can be compared with “pointer equality”.SyntaxData
are implementation detail have no public API.RawSyntax
and SyntaxData
are essentially implementation detail in order to maintain all of those nice properties like immutability and information sharing. Now, we get to the main players: the Syntax
nodes. These have the interesting public interface: the With APIs, getters, etc. Anyone working with the Syntax
library will be touching these nodes.
Internally, they are actually packaged as a strong reference to the root of the tree in which that node resides, and a weak reference to the SyntaxData
representing that node. Why a weak reference to the data? We do this to prevent retain cycles and minimize retain/release traffic: all strong references point down in the tree, starting at the root.
Although it‘s important for the entire library to be easy to use and maintain in general, it’s especially important that the APIs in Syntax
nodes remain intuitive and do what you expect with no weird side effects, necessary contexts to maintain, etc. If you have a handle on a Syntax
node, you're safe to query anything about it without other processes pulling out the rug from under you.
{ return 1 }
Here's an example of what you might have as a result of the following C++ code:
auto LeftBrace = SyntaxFactory::makeLeftBraceToken({}, Trivia::spaces(1)); auto IntegerTok = SyntaxFactory::makeIntegerLiteral("1", {}, Trivia::spaces(1)); auto Integer = SyntaxFactory::makeIntegerLiteralExpr(IntegerTok); auto ReturnKW = SyntaxFactory::makeReturnKeyword({}, Trivia::spaces(1)); // This ReturnStmtSyntax is floating, with no root. auto Return = SyntaxFactory::makeReturnStmt(ReturnKW, Integer, /*Semicolon=*/ None); auto RightBrace = SyntaxFactory::makeRightBraceToken({}, {}); auto Statements = SyntaxFactory::makeBlankStmtList() .addStmt(Return); auto Block = SyntaxFactory::makeBlankCodeBlockStmt() // Takes a reference of the token directly and increments the // reference count. .withLeftBrace(LeftBrace) // Only takes a strong reference to the RawSyntax of the // ReturnStmtSyntax above. .withStatementList(Statements) // Takes a reference of the token directly and increments the // reference count. .withRightBrace(RightBrace); // Returns a new ReturnStmtSyntax with the root set to the Block // above, and the parent set to the StmtListSyntax. auto MyReturn = Block.getChild(0);
Here's what the corresponding object diagram would look like starting with MyReturn
.
Legend:
RawSyntax
types (RawTokenSyntax
is a RawSyntax
)SyntaxData
typesSyntax
typesTrivia
A couple of interesting points and reminders:
SyntaxData
for each RawSyntax
. Remember, a SyntaxData
is essentially a RawSyntax
with a parent pointer and cached SyntaxData
children.SyntaxData
(red) nodes.Syntax
(blue) nodes and Trivia
(gray), and should never see SyntaxData
(red) or RawSyntax
(green) nodes.The libSyntax APIs are generated automatically from a set of description files written in Python. These files are located in utils/gyb_syntax_support/
, and all follow the same schema.
A Node
represents a production in the Swift grammar that has zero or more children. Each file contains a top-level array containing each node. The Node
class has the following fields:
Key | Type | Description |
---|---|---|
kind | String | The “base class” for this node. Must be one of ["Syntax", "SyntaxCollection", "Expr", "Stmt", "Decl", "Pattern", "Type"] . |
element | String? | If the node is a SyntaxCollection , then this is the SyntaxKind of the element of this collection. If this is not a SyntaxCollection , then this value is ignored. |
element_name | String? | If the node is a SyntaxCollection , then this is a different name for the element that you wish to appear in the generated API. Some nodes cannot find a good upper-bound for the element, and so must defer to Syntax -- those nodes use this field to populate a better name for add${element_name} APIs. |
children | [[String: Child]]? | The children of this node. |
A Child
represents a child of a given Node
object. A Child
has the following fields:
Key | Type | Description |
---|---|---|
kind | String | The SyntaxKind of this child. This must have a corresponding Node with that kind (or corresponding Token in both include/swift/Syntax/TokenKinds.def and SYNTAX_TOKENS ). |
is_optional | Bool? | Whether this child is required in a fully-formed object, or if it is allowed to remain missing . Defaults to false if not present. |
token_choices | [String]? | A list of Token s which are considered “valid” values for Token children. |
text_choices | [String]? | A list of valid textual values for tokens. If this is not provided, any textual value is accepted for tokens like IdentifierToken . |
A Token
represents one of the tok::
enums in include/swift/Syntax/TokenKinds.def
. Token.py
has a top-level array of token declarations. The Token
class has the following fields.
Key | Type | Description |
---|---|---|
kind | String | The name of the token in the C++ tok:: namespace. This is what we use to map these nodes to C++ tokens. |
text | String? | If the text of this node is fixed, then this field contains that text. For example, Struct has text "struct" and kind "kw_struct" . |
is_keyword | Bool? | Whether this node is a keyword. Defaults to false if not present. |
libSyntax uses Swift's gyb
tool to generate the Syntax
subclasses, SyntaxFactory
methods, SyntaxKind
enum entry, and SyntaxBuilder
class. These files rely on a support library located at utils/gyb_syntax_support/
which holds some common logic used inside the gyb
files. These gyb
files will be re-generated whenever any Python files are changed.
Here's a handy checklist when implementing a production in the grammar.
Syntax
bug label!${KIND}
entry in the appropriate Python file (Expr, Stmt, Pattern, etc.).with
APIs for all layout elements (e.g. withLeftTypeIdentifier(...)
).Syntax
node has identical content except for what you changed. print
the new node and check the text.getLeftTypeIdentifier()
)get
ing the child, verify:print
s the expected textBuilder
of that node.SyntaxFactory::make
APIs for that node.RUN
lines:-round-trip-lex
, and-round-trip-parse
lib/Syntax/Status.md
if applicable.SwiftSyntax has been moved to its own repository as a SwiftPM package. Please follow the instructions in that repository for how to use it for a Swift tool.