use std::{cell::Cell, fmt, hash::Hash};
use oxc_allocator::{Box, Vec};
use oxc_span::{Atom, SourceType, Span};
use oxc_syntax::{
operator::{
AssignmentOperator, BinaryOperator, LogicalOperator, UnaryOperator, UpdateOperator,
},
reference::ReferenceId,
symbol::SymbolId,
};
#[cfg(feature = "serde")]
use serde::Serialize;
#[allow(clippy::wildcard_imports)]
use crate::ast::*;
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct Program<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub source_type: SourceType,
pub directives: Vec<'a, Directive>,
pub hashbang: Option<Hashbang>,
pub body: Vec<'a, Statement<'a>>,
}
impl<'a> Program<'a> {
pub fn is_empty(&self) -> bool {
self.body.is_empty() && self.directives.is_empty()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum Expression<'a> {
BooleanLiteral(Box<'a, BooleanLiteral>),
NullLiteral(Box<'a, NullLiteral>),
NumberLiteral(Box<'a, NumberLiteral<'a>>),
BigintLiteral(Box<'a, BigintLiteral>),
RegExpLiteral(Box<'a, RegExpLiteral>),
StringLiteral(Box<'a, StringLiteral>),
TemplateLiteral(Box<'a, TemplateLiteral<'a>>),
Identifier(Box<'a, IdentifierReference>),
MetaProperty(Box<'a, MetaProperty>),
Super(Box<'a, Super>),
ArrayExpression(Box<'a, ArrayExpression<'a>>),
ArrowExpression(Box<'a, ArrowExpression<'a>>),
AssignmentExpression(Box<'a, AssignmentExpression<'a>>),
AwaitExpression(Box<'a, AwaitExpression<'a>>),
BinaryExpression(Box<'a, BinaryExpression<'a>>),
CallExpression(Box<'a, CallExpression<'a>>),
ChainExpression(Box<'a, ChainExpression<'a>>),
ClassExpression(Box<'a, Class<'a>>),
ConditionalExpression(Box<'a, ConditionalExpression<'a>>),
FunctionExpression(Box<'a, Function<'a>>),
ImportExpression(Box<'a, ImportExpression<'a>>),
LogicalExpression(Box<'a, LogicalExpression<'a>>),
MemberExpression(Box<'a, MemberExpression<'a>>),
NewExpression(Box<'a, NewExpression<'a>>),
ObjectExpression(Box<'a, ObjectExpression<'a>>),
ParenthesizedExpression(Box<'a, ParenthesizedExpression<'a>>),
SequenceExpression(Box<'a, SequenceExpression<'a>>),
TaggedTemplateExpression(Box<'a, TaggedTemplateExpression<'a>>),
ThisExpression(Box<'a, ThisExpression>),
UnaryExpression(Box<'a, UnaryExpression<'a>>),
UpdateExpression(Box<'a, UpdateExpression<'a>>),
YieldExpression(Box<'a, YieldExpression<'a>>),
PrivateInExpression(Box<'a, PrivateInExpression<'a>>),
JSXElement(Box<'a, JSXElement<'a>>),
JSXFragment(Box<'a, JSXFragment<'a>>),
TSAsExpression(Box<'a, TSAsExpression<'a>>),
TSSatisfiesExpression(Box<'a, TSSatisfiesExpression<'a>>),
TSTypeAssertion(Box<'a, TSTypeAssertion<'a>>),
TSNonNullExpression(Box<'a, TSNonNullExpression<'a>>),
TSInstantiationExpression(Box<'a, TSInstantiationExpression<'a>>),
}
impl<'a> Expression<'a> {
pub fn is_primary_expression(&self) -> bool {
self.is_literal_expression()
|| matches!(
self,
Self::Identifier(_)
| Self::ThisExpression(_)
| Self::FunctionExpression(_)
| Self::ClassExpression(_)
| Self::ParenthesizedExpression(_)
| Self::ArrayExpression(_)
| Self::ObjectExpression(_)
)
}
pub fn is_literal_expression(&self) -> bool {
matches!(
self,
Self::BooleanLiteral(_)
| Self::NullLiteral(_)
| Self::NumberLiteral(_)
| Self::BigintLiteral(_)
| Self::RegExpLiteral(_)
| Self::StringLiteral(_) )
}
pub fn is_string_literal(&self) -> bool {
matches!(self, Self::StringLiteral(_) | Self::TemplateLiteral(_))
}
pub fn is_specific_string_literal(&self, string: &str) -> bool {
match self {
Self::StringLiteral(s) => s.value == string,
_ => false,
}
}
pub fn is_null(&self) -> bool {
matches!(self, Expression::NullLiteral(_))
}
pub fn is_undefined(&self) -> bool {
matches!(self, Self::Identifier(ident) if ident.name == "undefined")
}
pub fn is_void(&self) -> bool {
matches!(self, Self::UnaryExpression(expr) if expr.operator == UnaryOperator::Void)
}
pub fn is_void_0(&self) -> bool {
match self {
Self::UnaryExpression(expr) if expr.operator == UnaryOperator::Void => {
matches!(&expr.argument, Self::NumberLiteral(lit) if lit.value == 0.0)
}
_ => false,
}
}
pub fn is_number_0(&self) -> bool {
matches!(self, Self::NumberLiteral(lit) if lit.value == 0.0)
}
pub fn evaluate_to_undefined(&self) -> bool {
self.is_undefined() || self.is_void()
}
pub fn is_null_or_undefined(&self) -> bool {
self.is_null() || self.evaluate_to_undefined()
}
pub fn without_parenthesized(&self) -> &Self {
match self {
Expression::ParenthesizedExpression(Box(expr)) => {
expr.expression.without_parenthesized()
}
_ => self,
}
}
pub fn is_specific_id(&self, name: &str) -> bool {
match self.get_inner_expression() {
Expression::Identifier(ident) => ident.name == name,
_ => false,
}
}
pub fn is_specific_member_access(&'a self, object: &str, property: &str) -> bool {
match self.get_inner_expression() {
Expression::MemberExpression(expr) => expr.is_specific_member_access(object, property),
Expression::ChainExpression(chain) => {
let ChainElement::MemberExpression(expr) = &chain.expression else {
return false;
};
expr.is_specific_member_access(object, property)
}
_ => false,
}
}
pub fn get_inner_expression(&self) -> &Expression<'a> {
match self {
Expression::ParenthesizedExpression(expr) => expr.expression.get_inner_expression(),
Expression::TSAsExpression(expr) => expr.expression.get_inner_expression(),
Expression::TSSatisfiesExpression(expr) => expr.expression.get_inner_expression(),
Expression::TSInstantiationExpression(expr) => expr.expression.get_inner_expression(),
Expression::TSNonNullExpression(expr) => expr.expression.get_inner_expression(),
Expression::TSTypeAssertion(expr) => expr.expression.get_inner_expression(),
_ => self,
}
}
pub fn is_identifier_reference(&self) -> bool {
matches!(self, Expression::Identifier(_))
}
pub fn get_identifier_reference(&self) -> Option<&IdentifierReference> {
match self.get_inner_expression() {
Expression::Identifier(ident) => Some(ident),
_ => None,
}
}
pub fn is_function(&self) -> bool {
matches!(self, Expression::FunctionExpression(_) | Expression::ArrowExpression(_))
}
pub fn get_boolean_value(&self) -> Option<bool> {
use num_traits::Zero;
match self {
Self::BooleanLiteral(lit) => Some(lit.value),
Self::NullLiteral(_) => Some(false),
Self::NumberLiteral(lit) => Some(lit.value != 0.0),
Self::BigintLiteral(lit) => Some(!lit.value.is_zero()),
Self::RegExpLiteral(_) => Some(true),
Self::StringLiteral(lit) => Some(!lit.value.is_empty()),
_ => None,
}
}
pub fn get_member_expr(&self) -> Option<&MemberExpression<'a>> {
match self.get_inner_expression() {
Expression::ChainExpression(chain_expr) => match &chain_expr.expression {
ChainElement::CallExpression(_) => None,
ChainElement::MemberExpression(member_expr) => Some(member_expr),
},
Expression::MemberExpression(member_expr) => Some(member_expr),
_ => None,
}
}
}
#[derive(Debug, Clone, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct IdentifierName {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: Atom,
}
#[derive(Debug, Clone)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct IdentifierReference {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: Atom,
#[cfg_attr(feature = "serde", serde(skip))]
pub reference_id: Cell<Option<ReferenceId>>,
}
impl Hash for IdentifierReference {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.span.hash(state);
self.name.hash(state);
}
}
impl IdentifierReference {
pub fn new(name: Atom, span: Span) -> Self {
Self { name, span, reference_id: Cell::default() }
}
}
#[derive(Debug, Clone)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct BindingIdentifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: Atom,
#[cfg_attr(feature = "serde", serde(skip))]
pub symbol_id: Cell<Option<SymbolId>>,
}
impl Hash for BindingIdentifier {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.span.hash(state);
self.name.hash(state);
}
}
impl BindingIdentifier {
pub fn new(name: Atom, span: Span) -> Self {
Self { name, span, symbol_id: Cell::default() }
}
}
#[derive(Debug, Clone, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct LabelIdentifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: Atom,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ThisExpression {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ArrayExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub elements: Vec<'a, ArrayExpressionElement<'a>>,
pub trailing_comma: Option<Span>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ArrayExpressionElement<'a> {
SpreadElement(Box<'a, SpreadElement<'a>>),
Expression(Expression<'a>),
Elision(Span),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ObjectExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub properties: Vec<'a, ObjectPropertyKind<'a>>,
pub trailing_comma: Option<Span>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ObjectPropertyKind<'a> {
ObjectProperty(Box<'a, ObjectProperty<'a>>),
SpreadProperty(Box<'a, SpreadElement<'a>>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ObjectProperty<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub kind: PropertyKind,
pub key: PropertyKey<'a>,
pub value: Expression<'a>,
pub init: Option<Expression<'a>>, pub method: bool,
pub shorthand: bool,
pub computed: bool,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum PropertyKey<'a> {
Identifier(Box<'a, IdentifierName>),
PrivateIdentifier(Box<'a, PrivateIdentifier>),
Expression(Expression<'a>),
}
impl<'a> PropertyKey<'a> {
pub fn static_name(&self) -> Option<Atom> {
match self {
Self::Identifier(ident) => Some(ident.name.clone()),
Self::PrivateIdentifier(_) => None,
Self::Expression(expr) => match expr {
Expression::StringLiteral(lit) => Some(lit.value.clone()),
Expression::RegExpLiteral(lit) => Some(Atom::from(lit.regex.to_string())),
Expression::NumberLiteral(lit) => Some(Atom::from(lit.value.to_string())),
Expression::BigintLiteral(lit) => Some(Atom::from(lit.value.to_string())),
Expression::NullLiteral(_) => Some("null".into()),
Expression::TemplateLiteral(lit) => {
lit.expressions.is_empty().then(|| lit.quasi()).flatten().cloned()
}
_ => None,
},
}
}
pub fn is_specific_static_name(&self, name: &str) -> bool {
self.static_name().is_some_and(|n| n == name)
}
pub fn is_private_identifier(&self) -> bool {
matches!(self, Self::PrivateIdentifier(_))
}
pub fn is_specific_id(&self, name: &str) -> bool {
match self {
PropertyKey::Identifier(ident) => ident.name == name,
_ => false,
}
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(rename_all = "lowercase"))]
pub enum PropertyKind {
Init,
Get,
Set,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct TemplateLiteral<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub quasis: Vec<'a, TemplateElement>,
pub expressions: Vec<'a, Expression<'a>>,
}
impl<'a> TemplateLiteral<'a> {
pub fn is_no_substitution_template(&self) -> bool {
self.expressions.is_empty() && self.quasis.len() == 1
}
pub fn quasi(&self) -> Option<&Atom> {
self.quasis.first().and_then(|quasi| quasi.value.cooked.as_ref())
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct TaggedTemplateExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub tag: Expression<'a>,
pub quasi: TemplateLiteral<'a>,
pub type_parameters: Option<Box<'a, TSTypeParameterInstantiation<'a>>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct TemplateElement {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub tail: bool,
pub value: TemplateElementValue,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize))]
pub struct TemplateElementValue {
pub raw: Atom,
pub cooked: Option<Atom>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum MemberExpression<'a> {
ComputedMemberExpression(ComputedMemberExpression<'a>),
StaticMemberExpression(StaticMemberExpression<'a>),
PrivateFieldExpression(PrivateFieldExpression<'a>),
}
impl<'a> MemberExpression<'a> {
pub fn optional(&self) -> bool {
match self {
MemberExpression::ComputedMemberExpression(expr) => expr.optional,
MemberExpression::StaticMemberExpression(expr) => expr.optional,
MemberExpression::PrivateFieldExpression(expr) => expr.optional,
}
}
pub fn object(&self) -> &Expression<'a> {
match self {
MemberExpression::ComputedMemberExpression(expr) => &expr.object,
MemberExpression::StaticMemberExpression(expr) => &expr.object,
MemberExpression::PrivateFieldExpression(expr) => &expr.object,
}
}
pub fn static_property_name(&self) -> Option<&str> {
match self {
MemberExpression::ComputedMemberExpression(expr) => match &expr.expression {
Expression::StringLiteral(lit) => Some(&lit.value),
Expression::TemplateLiteral(lit) => {
if lit.expressions.is_empty() && lit.quasis.len() == 1 {
Some(&lit.quasis[0].value.raw)
} else {
None
}
}
_ => None,
},
MemberExpression::StaticMemberExpression(expr) => Some(expr.property.name.as_str()),
MemberExpression::PrivateFieldExpression(_) => None,
}
}
pub fn static_property_info(&'a self) -> Option<(Span, &'a str)> {
match self {
MemberExpression::ComputedMemberExpression(expr) => match &expr.expression {
Expression::StringLiteral(lit) => Some((lit.span, &lit.value)),
Expression::TemplateLiteral(lit) => {
if lit.expressions.is_empty() && lit.quasis.len() == 1 {
Some((lit.span, &lit.quasis[0].value.raw))
} else {
None
}
}
_ => None,
},
MemberExpression::StaticMemberExpression(expr) => {
Some((expr.property.span, &expr.property.name))
}
MemberExpression::PrivateFieldExpression(_) => None,
}
}
pub fn is_specific_member_access(&'a self, object: &str, property: &str) -> bool {
self.object().is_specific_id(object)
&& self.static_property_name().is_some_and(|p| p == property)
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ComputedMemberExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub object: Expression<'a>,
pub expression: Expression<'a>,
pub optional: bool, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct StaticMemberExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub object: Expression<'a>,
pub property: IdentifierName,
pub optional: bool, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct PrivateFieldExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub object: Expression<'a>,
pub field: PrivateIdentifier,
pub optional: bool, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct CallExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub callee: Expression<'a>,
pub arguments: Vec<'a, Argument<'a>>,
pub optional: bool, pub type_parameters: Option<Box<'a, TSTypeParameterInstantiation<'a>>>,
}
impl<'a> CallExpression<'a> {
pub fn is_require_call(&self) -> bool {
if self.arguments.len() != 1 {
return false;
}
if let Expression::Identifier(id) = &self.callee {
id.name == "require"
&& matches!(
self.arguments.first(),
Some(Argument::Expression(
Expression::StringLiteral(_) | Expression::TemplateLiteral(_),
)),
)
} else {
false
}
}
pub fn is_symbol_or_symbol_for_call(&'a self) -> bool {
match &self.callee {
Expression::Identifier(id) => id.name == "Symbol",
Expression::MemberExpression(member) => {
matches!(member.object(), Expression::Identifier(id) if id.name == "Symbol")
&& member.static_property_name() == Some("for")
}
_ => false,
}
}
pub fn common_js_require(&self) -> Option<&StringLiteral> {
if !(self.callee.is_specific_id("require") && self.arguments.len() == 1) {
return None;
}
match &self.arguments[0] {
Argument::Expression(Expression::StringLiteral(str_literal)) => Some(str_literal),
_ => None,
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct NewExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub callee: Expression<'a>,
pub arguments: Vec<'a, Argument<'a>>,
pub type_parameters: Option<Box<'a, TSTypeParameterInstantiation<'a>>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct MetaProperty {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub meta: IdentifierName,
pub property: IdentifierName,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct SpreadElement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub argument: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum Argument<'a> {
SpreadElement(Box<'a, SpreadElement<'a>>),
Expression(Expression<'a>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct UpdateExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub operator: UpdateOperator,
pub prefix: bool,
pub argument: SimpleAssignmentTarget<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct UnaryExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub operator: UnaryOperator,
pub argument: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct BinaryExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub left: Expression<'a>,
pub operator: BinaryOperator,
pub right: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct PrivateInExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub left: PrivateIdentifier,
pub operator: BinaryOperator, pub right: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct LogicalExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub left: Expression<'a>,
pub operator: LogicalOperator,
pub right: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ConditionalExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub test: Expression<'a>,
pub consequent: Expression<'a>,
pub alternate: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AssignmentExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub operator: AssignmentOperator,
pub left: AssignmentTarget<'a>,
pub right: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum AssignmentTarget<'a> {
SimpleAssignmentTarget(SimpleAssignmentTarget<'a>),
AssignmentTargetPattern(AssignmentTargetPattern<'a>),
}
impl<'a> AssignmentTarget<'a> {
pub fn is_destructuring_pattern(&self) -> bool {
matches!(self, Self::AssignmentTargetPattern(_))
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum SimpleAssignmentTarget<'a> {
AssignmentTargetIdentifier(Box<'a, IdentifierReference>),
MemberAssignmentTarget(Box<'a, MemberExpression<'a>>),
TSAsExpression(Box<'a, TSAsExpression<'a>>),
TSSatisfiesExpression(Box<'a, TSSatisfiesExpression<'a>>),
TSNonNullExpression(Box<'a, TSNonNullExpression<'a>>),
TSTypeAssertion(Box<'a, TSTypeAssertion<'a>>),
}
impl<'a> SimpleAssignmentTarget<'a> {
pub fn get_expression(&self) -> Option<&Expression<'a>> {
match self {
Self::TSAsExpression(expr) => Some(&expr.expression),
Self::TSSatisfiesExpression(expr) => Some(&expr.expression),
Self::TSNonNullExpression(expr) => Some(&expr.expression),
Self::TSTypeAssertion(expr) => Some(&expr.expression),
_ => None,
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum AssignmentTargetPattern<'a> {
ArrayAssignmentTarget(Box<'a, ArrayAssignmentTarget<'a>>),
ObjectAssignmentTarget(Box<'a, ObjectAssignmentTarget<'a>>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ArrayAssignmentTarget<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub elements: Vec<'a, Option<AssignmentTargetMaybeDefault<'a>>>,
pub rest: Option<AssignmentTarget<'a>>,
pub trailing_comma: Option<Span>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ObjectAssignmentTarget<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub properties: Vec<'a, AssignmentTargetProperty<'a>>,
pub rest: Option<AssignmentTarget<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum AssignmentTargetMaybeDefault<'a> {
AssignmentTarget(AssignmentTarget<'a>),
AssignmentTargetWithDefault(Box<'a, AssignmentTargetWithDefault<'a>>),
}
impl<'a> AssignmentTargetMaybeDefault<'a> {
pub fn name(&self) -> Option<Atom> {
let target = match self {
Self::AssignmentTarget(target) => target,
Self::AssignmentTargetWithDefault(target) => &target.binding,
};
if let AssignmentTarget::SimpleAssignmentTarget(
SimpleAssignmentTarget::AssignmentTargetIdentifier(id),
) = target
{
Some(id.name.clone())
} else {
None
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AssignmentTargetWithDefault<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub binding: AssignmentTarget<'a>,
pub init: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum AssignmentTargetProperty<'a> {
AssignmentTargetPropertyIdentifier(Box<'a, AssignmentTargetPropertyIdentifier<'a>>),
AssignmentTargetPropertyProperty(Box<'a, AssignmentTargetPropertyProperty<'a>>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AssignmentTargetPropertyIdentifier<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub binding: IdentifierReference,
pub init: Option<Expression<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AssignmentTargetPropertyProperty<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: PropertyKey<'a>,
pub binding: AssignmentTargetMaybeDefault<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct SequenceExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub expressions: Vec<'a, Expression<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct Super {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AwaitExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub argument: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ChainExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub expression: ChainElement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ChainElement<'a> {
CallExpression(Box<'a, CallExpression<'a>>),
MemberExpression(Box<'a, MemberExpression<'a>>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ParenthesizedExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub expression: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum Statement<'a> {
BlockStatement(Box<'a, BlockStatement<'a>>),
BreakStatement(Box<'a, BreakStatement>),
ContinueStatement(Box<'a, ContinueStatement>),
DebuggerStatement(Box<'a, DebuggerStatement>),
DoWhileStatement(Box<'a, DoWhileStatement<'a>>),
EmptyStatement(Box<'a, EmptyStatement>),
ExpressionStatement(Box<'a, ExpressionStatement<'a>>),
ForInStatement(Box<'a, ForInStatement<'a>>),
ForOfStatement(Box<'a, ForOfStatement<'a>>),
ForStatement(Box<'a, ForStatement<'a>>),
IfStatement(Box<'a, IfStatement<'a>>),
LabeledStatement(Box<'a, LabeledStatement<'a>>),
ReturnStatement(Box<'a, ReturnStatement<'a>>),
SwitchStatement(Box<'a, SwitchStatement<'a>>),
ThrowStatement(Box<'a, ThrowStatement<'a>>),
TryStatement(Box<'a, TryStatement<'a>>),
WhileStatement(Box<'a, WhileStatement<'a>>),
WithStatement(Box<'a, WithStatement<'a>>),
ModuleDeclaration(Box<'a, ModuleDeclaration<'a>>),
Declaration(Declaration<'a>),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct Directive {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub expression: StringLiteral,
pub directive: Atom,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct Hashbang {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub value: Atom,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct BlockStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub body: Vec<'a, Statement<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum Declaration<'a> {
VariableDeclaration(Box<'a, VariableDeclaration<'a>>),
FunctionDeclaration(Box<'a, Function<'a>>),
ClassDeclaration(Box<'a, Class<'a>>),
TSTypeAliasDeclaration(Box<'a, TSTypeAliasDeclaration<'a>>),
TSInterfaceDeclaration(Box<'a, TSInterfaceDeclaration<'a>>),
TSEnumDeclaration(Box<'a, TSEnumDeclaration<'a>>),
TSModuleDeclaration(Box<'a, TSModuleDeclaration<'a>>),
TSImportEqualsDeclaration(Box<'a, TSImportEqualsDeclaration<'a>>),
}
impl<'a> Declaration<'a> {
pub fn is_typescript_syntax(&self) -> bool {
match self {
Self::VariableDeclaration(_) => false,
Self::FunctionDeclaration(func) => func.is_typescript_syntax(),
Self::ClassDeclaration(class) => class.is_declare(),
_ => true,
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct VariableDeclaration<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub kind: VariableDeclarationKind,
pub declarations: Vec<'a, VariableDeclarator<'a>>,
pub modifiers: Modifiers<'a>,
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(rename_all = "lowercase"))]
pub enum VariableDeclarationKind {
Var,
Const,
Let,
}
impl VariableDeclarationKind {
pub fn is_var(&self) -> bool {
matches!(self, Self::Var)
}
pub fn is_const(&self) -> bool {
matches!(self, Self::Const)
}
pub fn is_lexical(&self) -> bool {
matches!(self, Self::Const | Self::Let)
}
}
impl fmt::Display for VariableDeclarationKind {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
let s = match self {
Self::Var => "var",
Self::Const => "const",
Self::Let => "let",
};
write!(f, "{s}")
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct VariableDeclarator<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
#[cfg_attr(feature = "serde", serde(skip))]
pub kind: VariableDeclarationKind,
pub id: BindingPattern<'a>,
pub init: Option<Expression<'a>>,
pub definite: bool,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct EmptyStatement {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ExpressionStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub expression: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct IfStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub test: Expression<'a>,
pub consequent: Statement<'a>,
pub alternate: Option<Statement<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct DoWhileStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub body: Statement<'a>,
pub test: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct WhileStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub test: Expression<'a>,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ForStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub init: Option<ForStatementInit<'a>>,
pub test: Option<Expression<'a>>,
pub update: Option<Expression<'a>>,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ForStatementInit<'a> {
VariableDeclaration(Box<'a, VariableDeclaration<'a>>),
Expression(Expression<'a>),
}
impl<'a> ForStatementInit<'a> {
pub fn is_lexical_declaration(&self) -> bool {
matches!(self, Self::VariableDeclaration(decl) if decl.kind.is_lexical())
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ForInStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub left: ForStatementLeft<'a>,
pub right: Expression<'a>,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ForOfStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub r#await: bool,
pub left: ForStatementLeft<'a>,
pub right: Expression<'a>,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ForStatementLeft<'a> {
VariableDeclaration(Box<'a, VariableDeclaration<'a>>),
AssignmentTarget(AssignmentTarget<'a>),
}
impl<'a> ForStatementLeft<'a> {
pub fn is_lexical_declaration(&self) -> bool {
matches!(self, Self::VariableDeclaration(decl) if decl.kind.is_lexical())
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ContinueStatement {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub label: Option<LabelIdentifier>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct BreakStatement {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub label: Option<LabelIdentifier>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ReturnStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub argument: Option<Expression<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct WithStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub object: Expression<'a>,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct SwitchStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub discriminant: Expression<'a>,
pub cases: Vec<'a, SwitchCase<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct SwitchCase<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub test: Option<Expression<'a>>,
pub consequent: Vec<'a, Statement<'a>>,
}
impl<'a> SwitchCase<'a> {
pub fn is_default_case(&self) -> bool {
self.test.is_none()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct LabeledStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub label: LabelIdentifier,
pub body: Statement<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ThrowStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub argument: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct TryStatement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub block: Box<'a, BlockStatement<'a>>,
pub handler: Option<Box<'a, CatchClause<'a>>>,
pub finalizer: Option<Box<'a, BlockStatement<'a>>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct CatchClause<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub param: Option<BindingPattern<'a>>,
pub body: Box<'a, BlockStatement<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct DebuggerStatement {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct BindingPattern<'a> {
pub kind: BindingPatternKind<'a>,
pub type_annotation: Option<Box<'a, TSTypeAnnotation<'a>>>,
pub optional: bool,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum BindingPatternKind<'a> {
BindingIdentifier(Box<'a, BindingIdentifier>),
ObjectPattern(Box<'a, ObjectPattern<'a>>),
ArrayPattern(Box<'a, ArrayPattern<'a>>),
AssignmentPattern(Box<'a, AssignmentPattern<'a>>),
}
impl<'a> BindingPatternKind<'a> {
pub fn is_destructuring_pattern(&self) -> bool {
matches!(self, Self::ObjectPattern(_) | Self::ArrayPattern(_))
}
pub fn is_binding_identifier(&self) -> bool {
matches!(self, Self::BindingIdentifier(_))
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AssignmentPattern<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub left: BindingPattern<'a>,
pub right: Expression<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ObjectPattern<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub properties: Vec<'a, BindingProperty<'a>>,
pub rest: Option<Box<'a, RestElement<'a>>>,
}
impl<'a> ObjectPattern<'a> {
pub fn is_empty(&self) -> bool {
self.properties.is_empty() && self.rest.is_none()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct BindingProperty<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub key: PropertyKey<'a>,
pub value: BindingPattern<'a>,
pub shorthand: bool,
pub computed: bool,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ArrayPattern<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub elements: Vec<'a, Option<BindingPattern<'a>>>,
pub rest: Option<Box<'a, RestElement<'a>>>,
}
impl<'a> ArrayPattern<'a> {
pub fn is_empty(&self) -> bool {
self.elements.is_empty() && self.rest.is_none()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct RestElement<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub argument: BindingPattern<'a>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(rename_all = "camelCase"))]
#[allow(clippy::struct_excessive_bools)]
pub struct Function<'a> {
pub r#type: FunctionType,
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub id: Option<BindingIdentifier>,
pub expression: bool,
pub generator: bool,
pub r#async: bool,
pub params: Box<'a, FormalParameters<'a>>,
pub body: Option<Box<'a, FunctionBody<'a>>>,
pub type_parameters: Option<Box<'a, TSTypeParameterDeclaration<'a>>>,
pub return_type: Option<Box<'a, TSTypeAnnotation<'a>>>,
pub modifiers: Modifiers<'a>,
}
impl<'a> Function<'a> {
pub fn is_typescript_syntax(&self) -> bool {
self.modifiers.contains(ModifierKind::Declare) || self.body.is_none()
}
pub fn is_expression(&self) -> bool {
self.r#type == FunctionType::FunctionExpression
}
pub fn is_function_declaration(&self) -> bool {
matches!(self.r#type, FunctionType::FunctionDeclaration)
}
pub fn is_ts_declare_function(&self) -> bool {
matches!(self.r#type, FunctionType::TSDeclareFunction)
}
pub fn is_declaration(&self) -> bool {
matches!(self.r#type, FunctionType::FunctionDeclaration | FunctionType::TSDeclareFunction)
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize))]
pub enum FunctionType {
FunctionDeclaration,
FunctionExpression,
TSDeclareFunction,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct FormalParameters<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub kind: FormalParameterKind,
pub items: Vec<'a, FormalParameter<'a>>,
pub rest: Option<Box<'a, RestElement<'a>>>,
}
impl<'a> FormalParameters<'a> {
pub fn parameters_count(&self) -> usize {
self.items.len() + self.rest.as_ref().map_or(0, |_| 1)
}
pub fn this_parameter(&self) -> Option<&FormalParameter<'a>> {
self.items.first().filter(|item| matches!(&item.pattern.kind, BindingPatternKind::BindingIdentifier(ident) if ident.name == "this"))
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct FormalParameter<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub pattern: BindingPattern<'a>,
pub accessibility: Option<TSAccessibility>,
pub readonly: bool,
pub decorators: Vec<'a, Decorator<'a>>,
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize))]
pub enum FormalParameterKind {
FormalParameter,
UniqueFormalParameters,
ArrowFormalParameters,
Signature,
}
impl<'a> FormalParameters<'a> {
pub fn is_empty(&self) -> bool {
self.items.is_empty()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct FunctionBody<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub directives: Vec<'a, Directive>,
pub statements: Vec<'a, Statement<'a>>,
}
impl<'a> FunctionBody<'a> {
pub fn is_empty(&self) -> bool {
self.directives.is_empty() && self.statements.is_empty()
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct ArrowExpression<'a> {
pub span: Span,
pub expression: bool,
pub generator: bool,
pub r#async: bool,
pub params: Box<'a, FormalParameters<'a>>,
pub body: Box<'a, FunctionBody<'a>>,
pub type_parameters: Option<Box<'a, TSTypeParameterDeclaration<'a>>>,
pub return_type: Option<Box<'a, TSTypeAnnotation<'a>>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct YieldExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub delegate: bool,
pub argument: Option<Expression<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(rename_all = "camelCase"))]
pub struct Class<'a> {
pub r#type: ClassType,
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub id: Option<BindingIdentifier>,
pub super_class: Option<Expression<'a>>,
pub body: Box<'a, ClassBody<'a>>,
pub type_parameters: Option<Box<'a, TSTypeParameterDeclaration<'a>>>,
pub super_type_parameters: Option<Box<'a, TSTypeParameterInstantiation<'a>>>,
pub implements: Option<Vec<'a, Box<'a, TSClassImplements<'a>>>>,
pub decorators: Vec<'a, Decorator<'a>>,
pub modifiers: Modifiers<'a>,
}
impl<'a> Class<'a> {
pub fn is_expression(&self) -> bool {
self.r#type == ClassType::ClassExpression
}
pub fn is_declaration(&self) -> bool {
self.r#type == ClassType::ClassDeclaration
}
pub fn is_declare(&self) -> bool {
self.modifiers.contains(ModifierKind::Declare)
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize))]
pub enum ClassType {
ClassDeclaration,
ClassExpression,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ClassBody<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub body: Vec<'a, ClassElement<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ClassElement<'a> {
StaticBlock(Box<'a, StaticBlock<'a>>),
MethodDefinition(Box<'a, MethodDefinition<'a>>),
PropertyDefinition(Box<'a, PropertyDefinition<'a>>),
AccessorProperty(Box<'a, AccessorProperty<'a>>),
TSAbstractMethodDefinition(Box<'a, TSAbstractMethodDefinition<'a>>),
TSAbstractPropertyDefinition(Box<'a, TSAbstractPropertyDefinition<'a>>),
TSIndexSignature(Box<'a, TSIndexSignature<'a>>),
}
impl<'a> ClassElement<'a> {
pub fn r#static(&self) -> bool {
match self {
Self::TSIndexSignature(_) | Self::StaticBlock(_) => false,
Self::MethodDefinition(def) => def.r#static,
Self::PropertyDefinition(def) => def.r#static,
Self::AccessorProperty(def) => def.r#static,
Self::TSAbstractMethodDefinition(def) => def.method_definition.r#static,
Self::TSAbstractPropertyDefinition(def) => def.property_definition.r#static,
}
}
pub fn computed(&self) -> bool {
match self {
Self::TSIndexSignature(_) | Self::StaticBlock(_) => false,
Self::MethodDefinition(def) => def.computed,
Self::PropertyDefinition(def) => def.computed,
Self::AccessorProperty(def) => def.computed,
Self::TSAbstractMethodDefinition(def) => def.method_definition.computed,
Self::TSAbstractPropertyDefinition(def) => def.property_definition.computed,
}
}
pub fn method_definition_kind(&self) -> Option<MethodDefinitionKind> {
match self {
Self::TSIndexSignature(_)
| Self::StaticBlock(_)
| Self::PropertyDefinition(_)
| Self::AccessorProperty(_) => None,
Self::MethodDefinition(def) => Some(def.kind),
Self::TSAbstractMethodDefinition(def) => Some(def.method_definition.kind),
Self::TSAbstractPropertyDefinition(_def) => None,
}
}
pub fn property_key(&self) -> Option<&PropertyKey<'a>> {
match self {
Self::TSIndexSignature(_) | Self::StaticBlock(_) => None,
Self::MethodDefinition(def) => Some(&def.key),
Self::PropertyDefinition(def) => Some(&def.key),
Self::AccessorProperty(def) => Some(&def.key),
Self::TSAbstractMethodDefinition(def) => Some(&def.method_definition.key),
Self::TSAbstractPropertyDefinition(def) => Some(&def.property_definition.key),
}
}
pub fn static_name(&self) -> Option<Atom> {
match self {
Self::TSIndexSignature(_) | Self::StaticBlock(_) => None,
Self::MethodDefinition(def) => def.key.static_name(),
Self::PropertyDefinition(def) => def.key.static_name(),
Self::AccessorProperty(def) => def.key.static_name(),
Self::TSAbstractMethodDefinition(_def) => None,
Self::TSAbstractPropertyDefinition(_def) => None,
}
}
pub fn is_ts_empty_body_function(&self) -> bool {
match self {
Self::PropertyDefinition(_)
| Self::StaticBlock(_)
| Self::AccessorProperty(_)
| Self::TSAbstractPropertyDefinition(_)
| Self::TSIndexSignature(_) => false,
Self::MethodDefinition(method) => method.value.body.is_none(),
Self::TSAbstractMethodDefinition(_) => true,
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
#[allow(clippy::struct_excessive_bools)]
pub struct MethodDefinition<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub key: PropertyKey<'a>,
pub value: Box<'a, Function<'a>>, pub kind: MethodDefinitionKind,
pub computed: bool,
pub r#static: bool,
pub r#override: bool,
pub optional: bool,
pub accessibility: Option<TSAccessibility>,
pub decorators: Vec<'a, Decorator<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
#[allow(clippy::struct_excessive_bools)]
pub struct PropertyDefinition<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub key: PropertyKey<'a>,
pub value: Option<Expression<'a>>,
pub computed: bool,
pub r#static: bool,
pub declare: bool,
pub r#override: bool,
pub optional: bool,
pub definite: bool,
pub readonly: bool,
pub type_annotation: Option<Box<'a, TSTypeAnnotation<'a>>>,
pub accessibility: Option<TSAccessibility>,
pub decorators: Vec<'a, Decorator<'a>>,
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(rename_all = "lowercase"))]
pub enum MethodDefinitionKind {
Constructor,
Method,
Get,
Set,
}
#[derive(Debug, Clone, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct PrivateIdentifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub name: Atom,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct StaticBlock<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub body: Vec<'a, Statement<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ModuleDeclaration<'a> {
ImportDeclaration(Box<'a, ImportDeclaration<'a>>),
ExportAllDeclaration(Box<'a, ExportAllDeclaration<'a>>),
ExportDefaultDeclaration(Box<'a, ExportDefaultDeclaration<'a>>),
ExportNamedDeclaration(Box<'a, ExportNamedDeclaration<'a>>),
TSExportAssignment(Box<'a, TSExportAssignment<'a>>),
TSNamespaceExportDeclaration(Box<'a, TSNamespaceExportDeclaration>),
}
impl<'a> ModuleDeclaration<'a> {
pub fn is_export(&self) -> bool {
matches!(
self,
Self::ExportAllDeclaration(_)
| Self::ExportDefaultDeclaration(_)
| Self::ExportNamedDeclaration(_)
| Self::TSExportAssignment(_)
| Self::TSNamespaceExportDeclaration(_)
)
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct AccessorProperty<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub key: PropertyKey<'a>,
pub value: Option<Expression<'a>>,
pub computed: bool,
pub r#static: bool,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ImportExpression<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub source: Expression<'a>,
pub arguments: Vec<'a, Expression<'a>>,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type", rename_all = "camelCase"))]
pub struct ImportDeclaration<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub specifiers: Vec<'a, ImportDeclarationSpecifier>,
pub source: StringLiteral,
pub assertions: Option<Vec<'a, ImportAttribute>>, pub import_kind: ImportOrExportKind, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ImportDeclarationSpecifier {
ImportSpecifier(ImportSpecifier),
ImportDefaultSpecifier(ImportDefaultSpecifier),
ImportNamespaceSpecifier(ImportNamespaceSpecifier),
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ImportSpecifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub imported: ModuleExportName,
pub local: BindingIdentifier,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ImportDefaultSpecifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub local: BindingIdentifier,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ImportNamespaceSpecifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub local: BindingIdentifier,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ImportAttribute {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub key: ImportAttributeKey,
pub value: StringLiteral,
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ImportAttributeKey {
Identifier(IdentifierName),
StringLiteral(StringLiteral),
}
impl ImportAttributeKey {
pub fn as_atom(&self) -> Atom {
match self {
Self::Identifier(identifier) => identifier.name.clone(),
Self::StringLiteral(literal) => literal.value.clone(),
}
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ExportNamedDeclaration<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub declaration: Option<Declaration<'a>>,
pub specifiers: Vec<'a, ExportSpecifier>,
pub source: Option<StringLiteral>,
pub export_kind: ImportOrExportKind, }
impl<'a> ExportNamedDeclaration<'a> {
pub fn is_typescript_syntax(&self) -> bool {
self.export_kind == ImportOrExportKind::Type
|| self.declaration.as_ref().map_or(false, Declaration::is_typescript_syntax)
}
}
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ExportDefaultDeclaration<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub declaration: ExportDefaultDeclarationKind<'a>,
pub exported: ModuleExportName, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ExportAllDeclaration<'a> {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub exported: Option<ModuleExportName>,
pub source: StringLiteral,
pub assertions: Option<Vec<'a, ImportAttribute>>, pub export_kind: ImportOrExportKind, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(tag = "type"))]
pub struct ExportSpecifier {
#[cfg_attr(feature = "serde", serde(flatten))]
pub span: Span,
pub local: ModuleExportName,
pub exported: ModuleExportName,
pub export_kind: ImportOrExportKind, }
#[derive(Debug, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ExportDefaultDeclarationKind<'a> {
Expression(Expression<'a>),
FunctionDeclaration(Box<'a, Function<'a>>),
ClassDeclaration(Box<'a, Class<'a>>),
TSInterfaceDeclaration(Box<'a, TSInterfaceDeclaration<'a>>),
TSEnumDeclaration(Box<'a, TSEnumDeclaration<'a>>),
}
impl<'a> ExportDefaultDeclarationKind<'a> {
#[inline]
pub fn is_typescript_syntax(&self) -> bool {
match self {
ExportDefaultDeclarationKind::FunctionDeclaration(func)
if func.is_typescript_syntax() =>
{
true
}
ExportDefaultDeclarationKind::TSInterfaceDeclaration(_)
| ExportDefaultDeclarationKind::TSEnumDeclaration(_) => true,
_ => false,
}
}
}
#[derive(Debug, Clone, Hash)]
#[cfg_attr(feature = "serde", derive(Serialize), serde(untagged))]
pub enum ModuleExportName {
Identifier(IdentifierName),
StringLiteral(StringLiteral),
}
impl fmt::Display for ModuleExportName {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
let s = match self {
Self::Identifier(identifier) => identifier.name.to_string(),
Self::StringLiteral(literal) => literal.value.to_string(),
};
write!(f, "{s}")
}
}
impl ModuleExportName {
pub fn name(&self) -> &Atom {
match self {
Self::Identifier(identifier) => &identifier.name,
Self::StringLiteral(literal) => &literal.value,
}
}
}