8.0 KiB
						
					
					
				
			
		
		
	
	AST traversal
AST traversal API is provided by walk() method.
var csstree = require('css-tree');
var ast = csstree.parse('.a { color: red; }');
csstree.walk(ast, function(node) {
    console.log(node.type);
});
// StyleSheet
// Rule
// SelectorList
// Selector
// ClassSelector
// Block
// Declaration
// Value
// Identifier
The facts you should know about walk() internals:
- Method uses 
structurefield value of every node type to define the way how to iterate the nodes:- A function-iterator is generating for every node type.
 - Node's properties iterates in the order it defined in 
structure(reverse option can invert an order). - Properties that are not defined in 
structureare ignoring (doesn't interate). - An exception is possible when a tree is not following to expected structure (it may happen if AST was built outside the CSSTree parser or transformed in a wrong way). In case you are not sure about correctness of a tree structure, you can use 
try/catchor check the tree withcsstree.lexer.validateStructure(ast)before iterate it. 
 - Only 
childrenfields can contain a list of nodes. A list of nodes should be represented as aListinstances. But for certain cases,childrencan be an array. SinceListprovides a similar toArrayAPI, traversal can work in most cases, but without any guarantee. Therefore usings arrays in AST is not recomended, use them on your own risk. 
walk(ast, options)
Method visits each node of passed tree in a natural way and calls a handler for each one. It takes two arguments: a root node (ast) and an object (options). In simple case, it can take a function (handler) instead of options (walk(ast, fn) is equivalent to walk(ast, { enter: fn })).
Options:
enter
Type: function or undefined
Default: undefined
Handler on node entrance, i.e. before any nested node is processed.
var csstree = require('css-tree');
var ast = csstree.parse('.a { color: red; }');
csstree.walk(ast, {
    enter: function(node) {
        console.log(node.type);
    }
});
// StyleSheet
// Rule
// SelectorList
// Selector
// ClassSelector
// Block
// Declaration
// Value
// Identifier
In case options has a single enter field, it can replaced for the handler passed as a value for enter, i.e. walk(ast, { enter: fn }) → walk(ast, fn).
Handler receives a three arguments:
node– the AST node a walker entering toitem– node wrapper, that contains references toprevandnextnodes in a list, anddatareference for the nodelist– is a reference for the list; it's useful for list operations likeremove()orinsert()
NOTE: If
childrenis an array, the last two arguments areindexandarray, like forArray#forEach()orArray#map()methods.
const csstree = require('css-tree');
const ast = csstree.parse(`
    .a { foo: 1; bar: 2; }
    .b { bar: 3; baz: 4; }
`);
// remove declarations with `bar` property from the tree
csstree.walk(ast, function(node, item, list) {
    if (node.type === 'Declaration' && node.property === 'bar' && list) {
        // remove a declaration from a list it
        list.remove(item);
    }
});
console.log(csstree.generate(ast));
// .a{foo:1}.b{baz:4}
NOTE:
itemandlistare not defined for nodes that are not in a list. EvenDeclarationcan be outside of any list in case it is a root of tree or a part of@supportsprelude, e.g.@supports (bar: 123) { ... }. Therefore, it's recomended to checkitemorlistare defined before using of it (those values both are defined or both are undefined, so it's enough to test one of them)- Only
 Listinstances are safe for tree transformations such as node removal. In case you perform such operations, you can ensure that allchildrenin a tree is aListinstances by callingcsstree.fromPlainObject(ast)before traversal.- It's better to use
 visitoption when possible to reach better performance
Context (this) for a handler is an object with a references to the closest ancestor nodes:
root– refers to AST root node (actually it's a node passed towalk()method)stylesheet– refers toStyleSheetnode, usually it's a root nodeatrule– refers to closestAtrulenode if anyatrulePrelude– refers toAtrulePreludenode if anyrule– refers to closestRulenode if anyselector– refers toSelectorListnode if anyblock- refers to closestBlocknode if anydeclaration– refers toDeclarationnode if anyfunction– refers to closestFunction,PseudoClassSelectororPseudoElementSelectornode if current node inside one of them
const csstree = require('css-tree');
const ast = csstree.parse(`
    @import url(import.css);
    .foo { background: url('foo.jpg'); }
    .bar { background-image: url(bar.png); }
`);
// collect all urls in declarations
const urls = [];
csstree.walk(ast, function(node) {
    if (this.declaration !== null && node.type === 'Url') {
        const value = node.value;
        if (value.type === 'Raw') {
            urls.push(value.value);
        } else {
            urls.push(value.value.substr(1, value.value.length - 2));
        }
    }
});
console.log(urls);
// [ 'foo.jpg', 'bar.png' ]
leave
Type: function or undefined
Default: undefined
The same as enter handler but invokes on node exit, i.e. after all nested nodes are processed.
var csstree = require('css-tree');
var ast = csstree.parse('.a { color: red; }');
csstree.walk(ast, {
    leave: function(node) {
        console.log(node.type);
    }
});
// ClassSelector
// Selector
// SelectorList
// Identifier
// Value
// Declaration
// Block
// Rule
// StyleSheet
visit
Type: string or null
Default: null
Invokes a handler for a specified node type only.
var csstree = require('css-tree');
var ast = csstree.parse('.a { color: red; } .b { color: green; }');
csstree.walk(ast, {
    visit: 'ClassSelector',
    enter: function(node) {
        console.log(node.name);
    }
});
// example above is equal to
csstree.walk(ast, {
    enter: function(node) {
        if (node.type === 'ClassSelector') {
            console.log(node.name);
        }
    }
});
The traveral for some node types can performs faster (10-15 times depending on the CSS structure), because some subtrees may to be skipped since they can't contain a node of specified type (e.g. Rule can't be used inside of Declaration, so declaration's subtree can be exclude from traversal path). Fast traversal is supported for node types:
AtruleRuleDeclaration
NOTE: When fast traversal is applied, some nodes may not be reached in case of an incorrect location in the tree. That's may happen if AST was built outside the CSSTree parser or transformed in a wrong way. If you need to be 100% sure that every node of type will be visited (even in wrong position), don't use
visitoption and test node type by your own.
reverse
Type: boolean
Default: false
Inverts a natural order of traversal of nodes. To achieve this, the following actions are performed:
- children nodes are iterated in reverse order (from last to first)
 - properties are iterated in reverse order (according to 
structuredefinition of node) enterandleavehandlers are swapped
var assert = require('assert');
var csstree = require('css-tree');
var ast = csstree.parse('.a { color: red; }');
var natural = [];
csstree.walk(ast, {
    enter: function(node) {
        natural.push('enter ' + node.type);
    },
    leave: function(node) {
        natural.push('leave ' + node.type);
    }
});
var reverse = [];
csstree.walk(ast, {
    reverse: true,
    enter: function(node) {
        reverse.push('enter ' + node.type);
    },
    leave: function(node) {
        reverse.push('leave ' + node.type);
    }
});
// will be truthy
assert.deepEqual(
    reverse,
    natural.reverse()
);