高級前端基礎-JavaScript抽象語法樹AST

前言

Babel爲當前最流行的代碼JavaScript編譯器了,其使用的JavaScript解析器爲babel-parser,最初是從Acorn 項目fork出來的。Acorn 很是快,易於使用,而且針對非標準特性(以及那些將來的標準特性) 設計了一個基於插件的架構。本文主要介紹esprima解析生成的抽象語法樹節點,esprima的實現也是基於Acorn的。javascript

原文地址html

解析器 Parser

JavaScript Parser 是把js源碼轉化爲抽象語法樹(AST)的解析器。這個步驟分爲兩個階段:詞法分析(Lexical Analysis)語法分析(Syntactic Analysis)前端

經常使用的JavaScript Parser:java

詞法分析

詞法分析階段把字符串形式的代碼轉換爲 令牌(tokens)流。你能夠把令牌看做是一個扁平的語法片斷數組。

n * n;
複製代碼

例如上面n*n的詞法分析獲得結果以下:

[
  { type: { ... }, value: "n", start: 0, end: 1, loc: { ... } },
  { type: { ... }, value: "*", start: 2, end: 3, loc: { ... } },
  { type: { ... }, value: "n", start: 4, end: 5, loc: { ... } },
]
複製代碼

每個 type 有一組屬性來描述該令牌:

{
  type: {
    label: 'name',
    keyword: undefined,
    beforeExpr: false,
    startsExpr: true,
    rightAssociative: false,
    isLoop: false,
    isAssign: false,
    prefix: false,
    postfix: false,
    binop: null,
    updateContext: null
  },
  ...
}
複製代碼

和 AST 節點同樣它們也有 start,end,loc 屬性。

語法分析

語法分析就是根據詞法分析的結果,也就是令牌tokens,將其轉換成AST。

function square(n) {
  return n * n;
}
複製代碼

如上面代碼,生成的AST結構以下:

{
  type: "FunctionDeclaration",
  id: {
    type: "Identifier",
    name: "square"
  },
  params: [{
    type: "Identifier",
    name: "n"
  }],
  body: {
    type: "BlockStatement",
    body: [{
      type: "ReturnStatement",
      argument: {
        type: "BinaryExpression",
        operator: "*",
        left: {
          type: "Identifier",
          name: "n"
        },
        right: {
          type: "Identifier",
          name: "n"
        }
      }
    }]
  }
}
複製代碼

下文將對AST各個類型節點作解釋。更多AST生成,入口以下:

結合可視化工具,舉個例子

以下代碼:

var a = 42;
var b = 5;
function addA(d) {
    return a + d;
}
var c = addA(2) + b;
複製代碼

第一步詞法分析以後長成以下圖所示:

語法分析,生產抽象語法樹,生成的抽象語法樹以下圖所示

Base

Node

全部節點類型都實現如下接口:

interface Node {
  type: string;
  range?: [number, number];
  loc?: SourceLocation;
}
複製代碼

該type字段是表示AST變體類型的字符串。該loc字段表示節點的源位置信息。若是解析器沒有生成有關節點源位置的信息,則該字段爲null;不然它是一個對象,包括一個起始位置(被解析的源區域的第一個字符的位置)和一個結束位置.

interface SourceLocation {
    start: Position;
    end: Position;
    source?: string | null;
}
複製代碼

每一個Position對象由一個line數字(1索引)和一個column數字(0索引)組成:

interface Position {
    line: uint32 >= 1;
    column: uint32 >= 0;
}
複製代碼

Programs

interface Program <: Node {
    type: "Program";
    sourceType: 'script' | 'module';
    body: StatementListItem[] | ModuleItem[];
}
複製代碼

表示一個完整的源代碼樹。

Scripts and Modules

源代碼數的來源包括兩種,一種是script腳本,一種是modules模塊

當爲script時,body爲StatementListItem。 當爲modules時,body爲ModuleItem

類型StatementListItemModuleItem類型以下。

type StatementListItem = Declaration | Statement;
type ModuleItem = ImportDeclaration | ExportDeclaration | StatementListItem;
複製代碼

ImportDeclaration

import語法,導入模塊

type ImportDeclaration {
    type: 'ImportDeclaration';
    specifiers: ImportSpecifier[];
    source: Literal;
}
複製代碼

ImportSpecifier類型以下:

interface ImportSpecifier {
    type: 'ImportSpecifier' | 'ImportDefaultSpecifier' | 'ImportNamespaceSpecifier';
    local: Identifier;
    imported?: Identifier;
}
複製代碼

ImportSpecifier語法以下:

import { foo } from './foo';
複製代碼

ImportDefaultSpecifier語法以下:

import foo from './foo';
複製代碼

ImportNamespaceSpecifier語法以下

import * as foo from './foo';
複製代碼

ExportDeclaration

export類型以下

type ExportDeclaration = ExportAllDeclaration | ExportDefaultDeclaration | ExportNamedDeclaration;
複製代碼

ExportAllDeclaration從指定模塊中導出

interface ExportAllDeclaration {
    type: 'ExportAllDeclaration';
    source: Literal;
}
複製代碼

語法以下:

export * from './foo';
複製代碼

ExportDefaultDeclaration導出默認模塊

interface ExportDefaultDeclaration {
    type: 'ExportDefaultDeclaration';
    declaration: Identifier | BindingPattern | ClassDeclaration | Expression | FunctionDeclaration;
}
複製代碼

語法以下:

export default 'foo';
複製代碼

ExportNamedDeclaration導出部分模塊

interface ExportNamedDeclaration {
    type: 'ExportNamedDeclaration';
    declaration: ClassDeclaration | FunctionDeclaration | VariableDeclaration;
    specifiers: ExportSpecifier[];
    source: Literal;
}
複製代碼

語法以下:

export const foo = 'foo';
複製代碼

Declarations and Statements

declaration,即聲明,類型以下:

type Declaration = VariableDeclaration | FunctionDeclaration | ClassDeclaration;
複製代碼

statements,即語句,類型以下:

type Statement = BlockStatement | BreakStatement | ContinueStatement |
    DebuggerStatement | DoWhileStatement | EmptyStatement |
    ExpressionStatement | ForStatement | ForInStatement |
    ForOfStatement | FunctionDeclaration | IfStatement |
    LabeledStatement | ReturnStatement | SwitchStatement |
    ThrowStatement | TryStatement | VariableDeclaration |
    WhileStatement | WithStatement;
複製代碼

VariableDeclarator

變量聲明,kind 屬性表示是什麼類型的聲明,由於 ES6 引入了 const/let。

interface VariableDeclaration <: Declaration {
    type: "VariableDeclaration";
    declarations: [ VariableDeclarator ];
    kind: "var" | "let" | "const";
}
複製代碼

FunctionDeclaration

函數聲明(非函數表達式)

interface FunctionDeclaration {
    type: 'FunctionDeclaration';
    id: Identifier | null;
    params: FunctionParameter[];
    body: BlockStatement;
    generator: boolean;
    async: boolean;
    expression: false;
}
複製代碼

例如:

function foo() {}

function *bar() { yield "44"; }

async function noop() { await new Promise(function(resolve, reject) { resolve('55'); }) }
複製代碼

ClassDeclaration

類聲明(非類表達式)

interface ClassDeclaration {
    type: 'ClassDeclaration';
    id: Identifier | null;
    superClass: Identifier | null;
    body: ClassBody;
}
複製代碼

ClassBody聲明以下:

interface ClassBody {
    type: 'ClassBody';
    body: MethodDefinition[];
}
複製代碼

MethodDefinition表示方法聲明;

interface MethodDefinition {
    type: 'MethodDefinition';
    key: Expression | null;
    computed: boolean;
    value: FunctionExpression | null;
    kind: 'method' | 'constructor';
    static: boolean;
}
複製代碼
class foo {
    constructor() {}
    method() {}
};
複製代碼

ContinueStatement

continue語句

interface ContinueStatement {
    type: 'ContinueStatement';
    label: Identifier | null;
}
複製代碼

例如:

for (var i = 0; i < 10; i++) {
    if (i === 0) {
        continue;
    }
}
複製代碼

DebuggerStatement

debugger語句

interface DebuggerStatement {
    type: 'DebuggerStatement';
}
複製代碼

例如

while(true) {
    debugger;
}
複製代碼

DoWhileStatement

do-while語句

interface DoWhileStatement {
    type: 'DoWhileStatement';
    body: Statement;
    test: Expression;
}
複製代碼

test表示while條件

例如:

var i = 0;
do {
    i++;
} while(i = 2)
複製代碼

EmptyStatement

空語句

interface EmptyStatement {
    type: 'EmptyStatement';
}
複製代碼

例如:

if(true);

var a = [];
for(i = 0; i < a.length; a[i++] = 0);
複製代碼

ExpressionStatement

表達式語句,即,由單個表達式組成的語句。

interface ExpressionStatement {
    type: 'ExpressionStatement';
    expression: Expression;
    directive?: string;
}
複製代碼

當表達式語句表示一個指令(例如「use strict」)時,directive屬性將包含該指令字符串。

例如:

(function(){});
複製代碼

ForStatement

for語句

interface ForStatement {
    type: 'ForStatement';
    init: Expression | VariableDeclaration | null;
    test: Expression | null;
    update: Expression | null;
    body: Statement;
}
複製代碼

ForInStatement

for...in語句

interface ForInStatement {
    type: 'ForInStatement';
    left: Expression;
    right: Expression;
    body: Statement;
    each: false;
}
複製代碼

ForOfStatement

for...of語句

interface ForOfStatement {
    type: 'ForOfStatement';
    left: Expression;
    right: Expression;
    body: Statement;
}
複製代碼

IfStatement

if 語句

interface IfStatement {
    type: 'IfStatement';
    test: Expression;
    consequent: Statement;
    alternate?: Statement;
}
複製代碼

consequent表示if命中後內容,alternate表示else或者else if的內容。

LabeledStatement

label語句,多用於精確的使用嵌套循環中的continue和break。

interface LabeledStatement {
    type: 'LabeledStatement';
    label: Identifier;
    body: Statement;
}
複製代碼

如:

var num = 0;
outPoint:
for (var i = 0 ; i < 10 ; i++){
        for (var j = 0 ; j < 10 ; j++){
            if( i == 5 && j == 5 ){
                break outPoint;
            }
            num++;
        }
}
複製代碼

ReturnStatement

return 語句

interface ReturnStatement {
    type: 'ReturnStatement';
    argument: Expression | null;
}
複製代碼

SwitchStatement

Switch語句

interface SwitchStatement {
    type: 'SwitchStatement';
    discriminant: Expression;
    cases: SwitchCase[];
}
複製代碼

discriminant表示switch的變量。

SwitchCase類型以下

interface SwitchCase {
    type: 'SwitchCase';
    test: Expression | null;
    consequent: Statement[];
}
複製代碼

ThrowStatement

throw語句

interface ThrowStatement {
    type: 'ThrowStatement';
    argument: Expression;
}
複製代碼

TryStatement

try...catch語句

interface TryStatement {
    type: 'TryStatement';
    block: BlockStatement;
    handler: CatchClause | null;
    finalizer: BlockStatement | null;
}
複製代碼

handler爲catch處理聲明內容,finalizer爲finally內容。

CatchClaus 類型以下

interface CatchClause {
    type: 'CatchClause';
    param: Identifier | BindingPattern;
    body: BlockStatement;
}
複製代碼

例如:

try {
    foo();
} catch (e) {
    console.erroe(e);
} finally {
    bar();
}
複製代碼

WhileStatement

while語句

interface WhileStatement {
    type: 'WhileStatement';
    test: Expression;
    body: Statement;
}
複製代碼

test爲斷定表達式

WithStatement

with語句(指定塊語句的做用域的做用域)

interface WithStatement {
    type: 'WithStatement';
    object: Expression;
    body: Statement;
}
複製代碼

如:

var a = {};

with(a) {
    name = 'xiao.ming';
}

console.log(a); // {name: 'xiao.ming'}
複製代碼

Expressions and Patterns

Expressions可用類型以下:

type Expression = ThisExpression | Identifier | Literal |
    ArrayExpression | ObjectExpression | FunctionExpression | ArrowFunctionExpression | ClassExpression |
    TaggedTemplateExpression | MemberExpression | Super | MetaProperty |
    NewExpression | CallExpression | UpdateExpression | AwaitExpression | UnaryExpression |
    BinaryExpression | LogicalExpression | ConditionalExpression |
    YieldExpression | AssignmentExpression | SequenceExpression;
複製代碼

Patterns可用有兩種類型,函數模式和對象模式以下:

type BindingPattern = ArrayPattern | ObjectPattern;
複製代碼

ThisExpression

this 表達式

interface ThisExpression {
    type: 'ThisExpression';
}
複製代碼

Identifier

標識符,就是咱們寫 JS 時自定義的名稱,如變量名,函數名,屬性名,都歸爲標識符。相應的接口是這樣的:

interface Identifier {
    type: 'Identifier';
    name: string;
}
複製代碼

Literal

字面量,這裏不是指 [] 或者 {} 這些,而是自己語義就表明了一個值的字面量,如 1,「hello」, true 這些,還有正則表達式(有一個擴展的 Node 來表示正則表達式),如 /\d?/。

interface Literal {
    type: 'Literal';
    value: boolean | number | string | RegExp | null;
    raw: string;
    regex?: { pattern: string, flags: string };
}
複製代碼

例如:

var a = 1;
var b = 'b';
var c = false;
var d = /\d/;
複製代碼

ArrayExpression

數組表達式

interface ArrayExpression {
    type: 'ArrayExpression';
    elements: ArrayExpressionElement[];
}
複製代碼

例:

[1, 2, 3, 4];
複製代碼

ArrayExpressionElement

數組表達式的節點,類型以下

type ArrayExpressionElement = Expression | SpreadElement;
複製代碼

Expression包含全部表達式,SpreadElement爲擴展運算符語法。

SpreadElement

擴展運算符

interface SpreadElement {
    type: 'SpreadElement';
    argument: Expression;
}
複製代碼

如:

var a = [3, 4];
var b = [1, 2, ...a];

var c = {foo: 1};
var b = {bar: 2, ...c};
複製代碼

ObjectExpression

對象表達式

interface ObjectExpression {
    type: 'ObjectExpression';
    properties: Property[];
}
複製代碼

Property表明爲對象的屬性描述

類型以下

interface Property {
    type: 'Property';
    key: Expression;
    computed: boolean;
    value: Expression | null;
    kind: 'get' | 'set' | 'init';
    method: false;
    shorthand: boolean;
}
複製代碼

kind用來表示是普通的初始化,或者是 get/set。

例如:

var obj = {
    foo: 'foo',
    bar: function() {},
    noop() {}, // method 爲 true
    ['computed']: 'computed'  // computed 爲 true
}
複製代碼

FunctionExpression

函數表達式

interface FunctionExpression {
    type: 'FunctionExpression';
    id: Identifier | null;
    params: FunctionParameter[];
    body: BlockStatement;
    generator: boolean;
    async: boolean;
    expression: boolean;
}
複製代碼

例如:

var foo = function () {}
複製代碼

ArrowFunctionExpression

箭頭函數表達式

interface ArrowFunctionExpression {
    type: 'ArrowFunctionExpression';
    id: Identifier | null;
    params: FunctionParameter[];
    body: BlockStatement | Expression;
    generator: boolean;
    async: boolean;
    expression: false;
}
複製代碼

generator表示是否爲generator函數,async表示是否爲async/await函數,params爲參數定義。

FunctionParameter類型以下

type FunctionParameter = AssignmentPattern | Identifier | BindingPattern;
複製代碼

例:

var foo = () => {};
複製代碼

ClassExpression

類表達式

interface ClassExpression {
    type: 'ClassExpression';
    id: Identifier | null;
    superClass: Identifier | null;
    body: ClassBody;
}
複製代碼

例如:

var foo = class {
    constructor() {}
    method() {}
};
複製代碼

TaggedTemplateExpression

標記模板文字函數

interface TaggedTemplateExpression {
    type: 'TaggedTemplateExpression';
    readonly tag: Expression;
    readonly quasi: TemplateLiteral;
}
複製代碼

TemplateLiteral類型以下

interface TemplateLiteral {
    type: 'TemplateLiteral';
    quasis: TemplateElement[];
    expressions: Expression[];
}
複製代碼

TemplateElement類型以下

interface TemplateElement {
    type: 'TemplateElement';
    value: { cooked: string; raw: string };
    tail: boolean;
}
複製代碼

例如

var foo = function(a){ console.log(a); }
foo`test`;
複製代碼

MemberExpression

屬性成員表達式

interface MemberExpression {
    type: 'MemberExpression';
    computed: boolean;
    object: Expression;
    property: Expression;
}
複製代碼

例如:

const foo = {bar: 'bar'};
foo.bar;
foo['bar']; // computed 爲 true
複製代碼

Super

父類關鍵字

interface Super {
    type: 'Super';
}
複製代碼

例如:

class foo {};
class bar extends foo {
    constructor() {
        super();
    }
}
複製代碼

MetaProperty

(這個不知道幹嗎用的)

interface MetaProperty {
    type: 'MetaProperty';
    meta: Identifier;
    property: Identifier;
}
複製代碼

例如:

new.target  // 經過new 聲明的對象,new.target會存在

import.meta
複製代碼

CallExpression

函數執行表達式

interface CallExpression {
    type: 'CallExpression';
    callee: Expression | Import;
    arguments: ArgumentListElement[];
}
複製代碼

Import類型,沒搞懂。

interface Import {
    type: 'Import'
}
複製代碼

ArgumentListElement類型

type ArgumentListElement = Expression | SpreadElement;
複製代碼

如:

var foo = function (){};
foo();
複製代碼

NewExpression

new 表達式

interface NewExpression {
    type: 'NewExpression';
    callee: Expression;
    arguments: ArgumentListElement[];
}
複製代碼

UpdateExpression

更新操做符表達式,如++--;

interface UpdateExpression {
  type: "UpdateExpression";
  operator: '++' | '--';
  argument: Expression;
  prefix: boolean;
}
複製代碼

如:

var i = 0;
i++;
++i; // prefix爲true
複製代碼

AwaitExpression

await表達式,會與async連用。

interface AwaitExpression {
    type: 'AwaitExpression';
    argument: Expression;
}
複製代碼

async function foo() {
    var bar = function() {
        new Primise(function(resolve, reject) {
            setTimeout(function() {
                resove('foo')
            }, 1000);
        });
    }
    return await bar();
}

foo() // foo
複製代碼

UnaryExpression

一元操做符表達式

interface UnaryExpression {
  type: "UnaryExpression";
  operator: UnaryOperator;
  prefix: boolean;
  argument: Expression;
}
複製代碼

枚舉UnaryOperator

enum UnaryOperator {
  "-" | "+" | "!" | "~" | "typeof" | "void" | "delete" | "throw"
}
複製代碼

BinaryExpression

二元操做符表達式

interface BinaryExpression {
    type: 'BinaryExpression';
    operator: BinaryOperator;
    left: Expression;
    right: Expression;
}
複製代碼

枚舉BinaryOperator

enum BinaryOperator {
  "==" | "!=" | "===" | "!=="
     | "<" | "<=" | ">" | ">="
     | "<<" | ">>" | ">>>"
     | "+" | "-" | "*" | "/" | "%"
     | "**" | "|" | "^" | "&" | "in"
     | "instanceof"
     | "|>"
}
複製代碼

LogicalExpression

邏輯運算符表達式

interface LogicalExpression {
    type: 'LogicalExpression';
    operator: '||' | '&&';
    left: Expression;
    right: Expression;
}
複製代碼

如:

var a = '-';
var b = a || '-';

if (a && b) {}
複製代碼

ConditionalExpression

條件運算符

interface ConditionalExpression {
    type: 'ConditionalExpression';
    test: Expression;
    consequent: Expression;
    alternate: Expression;
}
複製代碼

例如:

var a = true;
var b = a ? 'consequent' : 'alternate';
複製代碼

YieldExpression

yield表達式

interface YieldExpression {
    type: 'YieldExpression';
    argument: Expression | null;
    delegate: boolean;
}
複製代碼

例如:

function* gen(x) {
  var y = yield x + 2;
  return y;
}
複製代碼

AssignmentExpression

賦值表達式。

interface AssignmentExpression {
    type: 'AssignmentExpression';
    operator: '=' | '*=' | '**=' | '/=' | '%=' | '+=' | '-=' |
        '<<=' | '>>=' | '>>>=' | '&=' | '^=' | '|=';
    left: Expression;
    right: Expression;
}
複製代碼

operator屬性表示一個賦值運算符,leftright是賦值運算符左右的表達式。

SequenceExpression

序列表達式(使用逗號)。

interface SequenceExpression {
    type: 'SequenceExpression';
    expressions: Expression[];
}
複製代碼
var a, b;
a = 1, b = 2
複製代碼

ArrayPattern

數組解析模式

interface ArrayPattern {
    type: 'ArrayPattern';
    elements: ArrayPatternElement[];
}
複製代碼

例:

const [a, b] = [1,3];
複製代碼

elements表明數組節點

ArrayPatternElement以下

type ArrayPatternElement = AssignmentPattern | Identifier | BindingPattern | RestElement | null;
複製代碼

AssignmentPattern

默認賦值模式,數組解析、對象解析、函數參數默認值使用。

interface AssignmentPattern {
    type: 'AssignmentPattern';
    left: Identifier | BindingPattern;
    right: Expression;
}
複製代碼

例:

const [a, b = 4] = [1,3];
複製代碼

RestElement

剩餘參數模式,語法與擴展運算符相近。

interface RestElement {
    type: 'RestElement';
    argument: Identifier | BindingPattern;
}
複製代碼

例:

const [a, b, ...c] = [1, 2, 3, 4];
複製代碼

ObjectPatterns

對象解析模式

interface ObjectPattern {
    type: 'ObjectPattern';
    properties: Property[];
}
複製代碼

例:

const object = {a: 1, b: 2};
const { a, b } = object;
複製代碼

結束

AST的做用大體分爲幾類

  1. IDE使用,如代碼風格檢測(eslint等)、代碼的格式化,代碼高亮,代碼錯誤等等

  2. 代碼的混淆壓縮

  3. 轉換代碼的工具。如webpack,rollup,各類代碼規範之間的轉換,ts,jsx等轉換爲原生js

瞭解AST,最終仍是爲了讓咱們瞭解咱們使用的工具,固然也讓咱們更瞭解JavaScript,更靠近JavaScript。

參考文獻

相關文章
相關標籤/搜索