In the chapter on grammars, we have seen how to use grammars for very effective and efficient testing. In this chapter, we refine the previous string-based algorithm into a tree-based algorithm, which is much faster and allows for much more control over the production of fuzz inputs.
In the previous chapter, we have introduced the simple_grammar_fuzzer()
function which takes a grammar and automatically produces a syntactically valid string from it. However, simple_grammar_fuzzer()
is just what its name suggests – simple. To illustrate the problem, let us get back to the expr_grammar
we created from EXPR_GRAMMAR_BNF
in the chapter on grammars:
expr_grammar = convert_ebnf_grammar(EXPR_EBNF_GRAMMAR)
expr_grammar
{'<start>': ['<expr>'], '<expr>': ['<term> + <expr>', '<term> - <expr>', '<term>'], '<term>': ['<factor> * <term>', '<factor> / <term>', '<factor>'], '<factor>': ['<sign-1><factor>', '(<expr>)', '<integer><symbol-1>'], '<sign>': ['+', '-'], '<integer>': ['<digit-1>'], '<digit>': ['0', '1', '2', '3', '4', '5', '6', '7', '8', '9'], '<symbol>': ['.<integer>'], '<sign-1>': ['', '<sign>'], '<symbol-1>': ['', '<symbol>'], '<digit-1>': ['<digit>', '<digit><digit-1>']}
expr_grammar
has an interesting property. If we feed it into simple_grammar_fuzzer()
, the function gets stuck:
with ExpectTimeout(1):
simple_grammar_fuzzer(grammar=expr_grammar, max_nonterminals=3)
Traceback (most recent call last): File "/var/folders/n2/xd9445p97rb3xh7m1dfx8_4h0006ts/T/ipykernel_81067/3259437052.py", line 2, in <cell line: 1> simple_grammar_fuzzer(grammar=expr_grammar, max_nonterminals=3) File "Grammars.ipynb", line 87, in simple_grammar_fuzzer symbol_to_expand = random.choice(nonterminals(term)) File "Grammars.ipynb", line 61, in nonterminals return RE_NONTERMINAL.findall(expansion) File "Timeout.ipynb", line 43, in timeout_handler raise TimeoutError() TimeoutError (expected)
Why is that so? Have a look at the grammar; remember what you know about simple_grammar_fuzzer()
; and run simple_grammar_fuzzer()
with log=true
argument to see the expansions.
quiz("Why does `simple_grammar_fuzzer()` hang?",
[
"It produces an infinite number of additions",
"It produces an infinite number of digits",
"It produces an infinite number of parentheses",
"It produces an infinite number of signs",
], '(3 * 3 * 3) ** (3 / (3 * 3))')
simple_grammar_fuzzer()
hang?
Indeed! The problem is in this rule:
expr_grammar['<factor>']
['<sign-1><factor>', '(<expr>)', '<integer><symbol-1>']
Here, any choice except for (expr)
increases the number of symbols, even if only temporary. Since we place a hard limit on the number of symbols to expand, the only choice left for expanding <factor>
is (<expr>)
, which leads to an infinite addition of parentheses.
The problem of potentially infinite expansion is only one of the problems with simple_grammar_fuzzer()
. More problems include:
It is inefficient. With each iteration, this fuzzer would go search the string produced so far for symbols to expand. This becomes inefficient as the production string grows.
It is hard to control. Even while limiting the number of symbols, it is still possible to obtain very long strings – and even infinitely long ones, as discussed above.
Let us illustrate both problems by plotting the time required for strings of different lengths.
trials = 50
xs = []
ys = []
for i in range(trials):
with Timer() as t:
s = simple_grammar_fuzzer(EXPR_GRAMMAR, max_nonterminals=15)
xs.append(len(s))
ys.append(t.elapsed_time())
print(i, end=" ")
print()
0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49
average_time = sum(ys) / trials
print("Average time:", average_time)
Average time: 0.14829922830220313
%matplotlib inline
import matplotlib.pyplot as plt
plt.scatter(xs, ys)
plt.title('Time required for generating an output');
We see that (1) the time needed to generate an output increases quadratically with the length of that output, and that (2) a large portion of the produced outputs are tens of thousands of characters long.
To address these problems, we need a smarter algorithm – one that is more efficient, that gets us better control over expansions, and that is able to foresee in expr_grammar
that the (expr)
alternative yields a potentially infinite expansion, in contrast to the other two.
To both obtain a more efficient algorithm and exercise better control over expansions, we will use a special representation for the strings that our grammar produces. The general idea is to use a tree structure that will be subsequently expanded – a so-called derivation tree. This representation allows us to always keep track of our expansion status – answering questions such as which elements have been expanded into which others, and which symbols still need to be expanded. Furthermore, adding new elements to a tree is far more efficient than replacing strings again and again.
Like other trees used in programming, a derivation tree (also known as parse tree or concrete syntax tree) consists of nodes which have other nodes (called child nodes) as their children. The tree starts with one node that has no parent; this is called the root node; a node without children is called a leaf.
The grammar expansion process with derivation trees is illustrated in the following steps, using the arithmetic grammar from
the chapter on grammars. We start with a single node as root of the tree, representing the start symbol – in our case <start>
.
# ignore
tree
To expand the tree, we traverse it, searching for a nonterminal symbol $S$ without children. $S$ thus is a symbol that still has to be expanded. We then chose an expansion for $S$ from the grammar. Then, we add the expansion as a new child of $S$. For our start symbol <start>
, the only expansion is <expr>
, so we add it as a child.
# ignore
tree
To construct the produced string from a derivation tree, we traverse the tree in order and collect the symbols at the leaves of the tree. In the case above, we obtain the string "<expr>"
.
To further expand the tree, we choose another symbol to expand, and add its expansion as new children. This would get us the <expr>
symbol, which gets expanded into <expr> + <term>
, adding three children.
# ignore
tree
We repeat the expansion until there are no symbols left to expand:
# ignore
tree
We now have a representation for the string 2 + 2
. In contrast to the string alone, though, the derivation tree records the entire structure (and production history, or derivation history) of the produced string. It also allows for simple comparison and manipulation – say, replacing one subtree (substructure) against another.
To represent a derivation tree in Python, we use the following format. A node is a pair
(SYMBOL_NAME, CHILDREN)
where SYMBOL_NAME
is a string representing the node (i.e. "<start>"
or "+"
) and CHILDREN
is a list of children nodes.
CHILDREN
can take some special values:
None
as a placeholder for future expansion. This means that the node is a nonterminal symbol that should be expanded further.[]
(i.e., the empty list) to indicate no children. This means that the node is a terminal symbol that can no longer be expanded.The type DerivationTree
captures this very structure. (Any
should actually read DerivationTree
, but the Python static type checker cannot handle recursive types well.)
DerivationTree = Tuple[str, Optional[List[Any]]]
Let us take a very simple derivation tree, representing the intermediate step <expr> + <term>
, above.
derivation_tree: DerivationTree = ("<start>",
[("<expr>",
[("<expr>", None),
(" + ", []),
("<term>", None)]
)])
To better understand the structure of this tree, let us introduce a function display_tree()
that visualizes this tree.
This is what our tree visualizes into:
display_tree(derivation_tree)
quiz("And which of these is the internal representation of `derivation_tree`?",
[
"`('<start>', [('<expr>', (['<expr> + <term>']))])`",
"`('<start>', [('<expr>', (['<expr>', ' + ', <term>']))])`",
"`" + repr(derivation_tree) + "`",
"`(" + repr(derivation_tree) + ", None)`"
], len("eleven") - len("one"))
derivation_tree
?
You can check it out yourself:
derivation_tree
('<start>', [('<expr>', [('<expr>', None), (' + ', []), ('<term>', None)])])
Within this book, we also occasionally use a function display_annotated_tree()
which allows adding annotations to individual nodes.
If we want to see all the leaf nodes in a tree as a string, the following all_terminals()
function comes in handy:
def all_terminals(tree: DerivationTree) -> str:
(symbol, children) = tree
if children is None:
# This is a nonterminal symbol not expanded yet
return symbol
if len(children) == 0:
# This is a terminal symbol
return symbol
# This is an expanded symbol:
# Concatenate all terminal symbols from all children
return ''.join([all_terminals(c) for c in children])
all_terminals(derivation_tree)
'<expr> + <term>'
The alternative tree_to_string()
function also converts the tree to a string; however, it replaces nonterminal symbols by empty strings.
def tree_to_string(tree: DerivationTree) -> str:
symbol, children, *_ = tree
if children:
return ''.join(tree_to_string(c) for c in children)
else:
return '' if is_nonterminal(symbol) else symbol
tree_to_string(derivation_tree)
' + '
Let us now develop an algorithm that takes a tree with non-expanded symbols (say, derivation_tree
, above), and expands all these symbols one after the other. As with earlier fuzzers, we create a special subclass of Fuzzer
– in this case, GrammarFuzzer
. A GrammarFuzzer
gets a grammar and a start symbol; the other parameters will be used later to further control creation and to support debugging.
class GrammarFuzzer(Fuzzer):
"""Produce strings from grammars efficiently, using derivation trees."""
def __init__(self,
grammar: Grammar,
start_symbol: str = START_SYMBOL,
min_nonterminals: int = 0,
max_nonterminals: int = 10,
disp: bool = False,
log: Union[bool, int] = False) -> None:
"""Produce strings from `grammar`, starting with `start_symbol`.
If `min_nonterminals` or `max_nonterminals` is given, use them as limits
for the number of nonterminals produced.
If `disp` is set, display the intermediate derivation trees.
If `log` is set, show intermediate steps as text on standard output."""
self.grammar = grammar
self.start_symbol = start_symbol
self.min_nonterminals = min_nonterminals
self.max_nonterminals = max_nonterminals
self.disp = disp
self.log = log
self.check_grammar() # Invokes is_valid_grammar()
To add further methods to GrammarFuzzer
, we use the hack already introduced for the MutationFuzzer
class. The construct
class GrammarFuzzer(GrammarFuzzer):
def new_method(self, args):
pass
allows us to add a new method new_method()
to the GrammarFuzzer
class. (Actually, we get a new GrammarFuzzer
class that extends the old one, but for all our purposes, this does not matter.)
Let us now define a helper method init_tree()
that constructs a tree with just the start symbol:
class GrammarFuzzer(GrammarFuzzer):
def init_tree(self) -> DerivationTree:
return (self.start_symbol, None)
f = GrammarFuzzer(EXPR_GRAMMAR)
display_tree(f.init_tree())
This is the tree we want to expand.
One of the central methods in GrammarFuzzer
is choose_node_expansion()
. This method gets a node (say, the <start>
node) and a list of possible lists of children to be expanded (one for every possible expansion from the grammar), chooses one of them, and returns its index in the possible children list.
By overloading this method (notably in later chapters), we can implement different strategies – for now, it simply randomly picks one of the given lists of children (which in turn are lists of derivation trees).
class GrammarFuzzer(GrammarFuzzer):
def choose_node_expansion(self, node: DerivationTree,
children_alternatives: List[List[DerivationTree]]) -> int:
"""Return index of expansion in `children_alternatives` to be selected.
'children_alternatives`: a list of possible children for `node`.
Defaults to random. To be overloaded in subclasses."""
return random.randrange(0, len(children_alternatives))
To actually obtain the list of possible children, we will need a helper function expansion_to_children()
that takes an expansion string and decomposes it into a list of derivation trees – one for each symbol (terminal or nonterminal) in the string.
expansion_to_children("<term> + <expr>")
[('<term>', None), (' + ', []), ('<expr>', None)]
The case of an epsilon expansion, i.e. expanding into an empty string as in <symbol> ::=
needs special treatment:
expansion_to_children("")
[('', [])]
Just like nonterminals()
in the chapter on Grammars, we provide for future extensions, allowing the expansion to be a tuple with extra data (which will be ignored).
expansion_to_children(("+<term>", {"extra_data": 1234}))
[('+', []), ('<term>', None)]
We realize this helper as a method in GrammarFuzzer
such that it can be overloaded by subclasses:
class GrammarFuzzer(GrammarFuzzer):
def expansion_to_children(self, expansion: Expansion) -> List[DerivationTree]:
return expansion_to_children(expansion)
With this, we can now take
This is what the method expand_node_randomly()
does.
This is how expand_node_randomly()
works:
f = GrammarFuzzer(EXPR_GRAMMAR, log=True)
print("Before expand_node_randomly():")
expr_tree = ("<integer>", None)
display_tree(expr_tree)
Before expand_node_randomly():
print("After expand_node_randomly():")
expr_tree = f.expand_node_randomly(expr_tree)
display_tree(expr_tree)
After expand_node_randomly(): Expanding <integer> randomly
# docassert
assert expr_tree[1][0][0] == '<digit>'
quiz("What tree do we get if we expand the `<digit>` subtree?",
[
"We get another `<digit>` as new child of `<digit>`",
"We get some digit as child of `<digit>`",
"We get another `<digit>` as second child of `<integer>`",
"The entire tree becomes a single node with a digit"
], 'len("2") + len("2")')
<digit>
subtree?
We can surely put this to the test, right? Here we go:
digit_subtree = expr_tree[1][0] # type: ignore
display_tree(digit_subtree)
print("After expanding the <digit> subtree:")
digit_subtree = f.expand_node_randomly(digit_subtree)
display_tree(digit_subtree)
After expanding the <digit> subtree: Expanding <digit> randomly
We see that <digit>
gets expanded again according to the grammar rules – namely, into a single digit.
quiz("Is the original `expr_tree` affected by this change?",
[
"No, it is unchanged",
"Yes, it has also gained a new child"
], "1 ** (1 - 1)")
expr_tree
affected by this change?
Although we have changed one of the subtrees, the original expr_tree
is unaffected:
display_tree(expr_tree)
That is because expand_node_randomly()
returns a new (expanded) tree and does not change the tree passed as argument.
Let us now apply our functions for expanding a single node to some node in the tree. To this end, we first need to search the tree for non-expanded nodes. possible_expansions()
counts how many unexpanded symbols there are in a tree:
class GrammarFuzzer(GrammarFuzzer):
def possible_expansions(self, node: DerivationTree) -> int:
(symbol, children) = node
if children is None:
return 1
return sum(self.possible_expansions(c) for c in children)
f = GrammarFuzzer(EXPR_GRAMMAR)
print(f.possible_expansions(derivation_tree))
2
The method any_possible_expansions()
returns True if the tree has any non-expanded nodes.
class GrammarFuzzer(GrammarFuzzer):
def any_possible_expansions(self, node: DerivationTree) -> bool:
(symbol, children) = node
if children is None:
return True
return any(self.any_possible_expansions(c) for c in children)
f = GrammarFuzzer(EXPR_GRAMMAR)
f.any_possible_expansions(derivation_tree)
True
Here comes expand_tree_once()
, the core method of our tree expansion algorithm. It first checks whether it is currently being applied on a nonterminal symbol without expansion; if so, it invokes expand_node()
on it, as discussed above.
If the node is already expanded (i.e. has children), it checks the subset of children which still have non-expanded symbols, randomly selects one of them, and applies itself recursively on that child.
Let us illustrate how expand_tree_once()
works. We start with our derivation tree from above...
derivation_tree = ("<start>",
[("<expr>",
[("<expr>", None),
(" + ", []),
("<term>", None)]
)])
display_tree(derivation_tree)
... and now expand it twice:
f = GrammarFuzzer(EXPR_GRAMMAR, log=True)
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <expr> randomly
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <term> randomly
We see that with each step, one more symbol is expanded. Now all it takes is to apply this again and again, expanding the tree further and further.
With expand_tree_once()
, we can keep on expanding the tree – but how do we actually stop? The key idea here, introduced by Luke in \cite{Luke2000}, is that after inflating the derivation tree to some maximum size, we only want to apply expansions that increase the size of the tree by a minimum. For <factor>
, for instance, we would prefer an expansion into <integer>
, as this will not introduce further recursion (and potential size inflation); for <integer>
, likewise, an expansion into <digit>
is preferred, as it will less increase tree size than <digit><integer>
.
To identify the cost of expanding a symbol, we introduce two functions that mutually rely on each other:
symbol_cost()
returns the minimum cost of all expansions of a symbol, using expansion_cost()
to compute the cost for each expansion.expansion_cost()
returns the sum of all expansions in expansions
. If a nonterminal is encountered again during traversal, the cost of the expansion is $\infty$, indicating (potentially infinite) recursion.Here are two examples: The minimum cost of expanding a digit is 1, since we have to choose from one of its expansions.
f = GrammarFuzzer(EXPR_GRAMMAR)
assert f.symbol_cost("<digit>") == 1
The minimum cost of expanding <expr>
, though, is five, as this is the minimum number of expansions required. (<expr>
$\rightarrow$ <term>
$\rightarrow$ <factor>
$\rightarrow$ <integer>
$\rightarrow$ <digit>
$\rightarrow$ 1)
assert f.symbol_cost("<expr>") == 5
We define expand_node_by_cost(self, node, choose)
, a variant of expand_node()
that takes the above cost into account. It determines the minimum cost cost
across all children and then chooses a child from the list using the choose
function, which by default is the minimum cost. If multiple children all have the same minimum cost, it chooses randomly between these.
The shortcut expand_node_min_cost()
passes min()
as the choose
function, which makes it expand nodes at minimum cost.
class GrammarFuzzer(GrammarFuzzer):
def expand_node_min_cost(self, node: DerivationTree) -> DerivationTree:
if self.log:
print("Expanding", all_terminals(node), "at minimum cost")
return self.expand_node_by_cost(node, min)
We can now apply this function to close the expansion of our derivation tree, using expand_tree_once()
with the above expand_node_min_cost()
as expansion function.
class GrammarFuzzer(GrammarFuzzer):
def expand_node(self, node: DerivationTree) -> DerivationTree:
return self.expand_node_min_cost(node)
f = GrammarFuzzer(EXPR_GRAMMAR, log=True)
display_tree(derivation_tree)
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <expr> at minimum cost
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <factor> at minimum cost
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <term> at minimum cost
We keep on expanding until all nonterminals are expanded.
while f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
Expanding <factor> at minimum cost Expanding <integer> at minimum cost Expanding <integer> at minimum cost Expanding <term> at minimum cost Expanding <digit> at minimum cost Expanding <digit> at minimum cost Expanding <factor> at minimum cost Expanding <integer> at minimum cost Expanding <digit> at minimum cost
Here is the final tree:
display_tree(derivation_tree)
We see that in each step, expand_node_min_cost()
chooses an expansion that does not increase the number of symbols, eventually closing all open expansions.
Especially at the beginning of an expansion, we may be interested in getting as many nodes as possible – that is, we'd like to prefer expansions that give us more nonterminals to expand. This is actually the exact opposite of what expand_node_min_cost()
gives us, and we can implement a method expand_node_max_cost()
that will always choose among the nodes with the highest cost:
class GrammarFuzzer(GrammarFuzzer):
def expand_node_max_cost(self, node: DerivationTree) -> DerivationTree:
if self.log:
print("Expanding", all_terminals(node), "at maximum cost")
return self.expand_node_by_cost(node, max)
To illustrate expand_node_max_cost()
, we can again redefine expand_node()
to use it, and then use expand_tree_once()
to show a few expansion steps:
class GrammarFuzzer(GrammarFuzzer):
def expand_node(self, node: DerivationTree) -> DerivationTree:
return self.expand_node_max_cost(node)
derivation_tree = ("<start>",
[("<expr>",
[("<expr>", None),
(" + ", []),
("<term>", None)]
)])
f = GrammarFuzzer(EXPR_GRAMMAR, log=True)
display_tree(derivation_tree)
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <expr> at maximum cost
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <expr> at maximum cost
# docassert
assert f.any_possible_expansions(derivation_tree)
if f.any_possible_expansions(derivation_tree):
derivation_tree = f.expand_tree_once(derivation_tree)
display_tree(derivation_tree)
Expanding <term> at maximum cost
We see that with each step, the number of nonterminals increases. Obviously, we have to put a limit on this number.
We can now put all three phases together in a single function expand_tree()
which will work as follows:
min_nonterminals
nonterminals. This phase can be easily skipped by setting min_nonterminals
to zero.max_nonterminals
nonterminals.We implement these three phases by having expand_node
reference the expansion method to apply. This is controlled by setting expand_node
(the method reference) to first expand_node_max_cost
(i.e., calling expand_node()
invokes expand_node_max_cost()
), then expand_node_randomly
, and finally expand_node_min_cost
. In the first two phases, we also set a maximum limit of min_nonterminals
and max_nonterminals
, respectively.
Let us try this out on our example. We start with a half-expanded derivation tree:
initial_derivation_tree: DerivationTree = ("<start>",
[("<expr>",
[("<expr>", None),
(" + ", []),
("<term>", None)]
)])
display_tree(initial_derivation_tree)
We now apply our expansion strategy on this tree. We see that initially, nodes are expanded at maximum cost, then randomly, and then closing the expansion at minimum cost.
f = GrammarFuzzer(
EXPR_GRAMMAR,
min_nonterminals=3,
max_nonterminals=5,
log=True)
derivation_tree = f.expand_tree(initial_derivation_tree)
Tree: <expr> + <term> Expanding <term> at maximum cost Tree: <expr> + <factor> / <term> Expanding <factor> randomly Tree: <expr> + <integer> / <term> Expanding <integer> randomly Tree: <expr> + <digit><integer> / <term> Expanding <expr> randomly Tree: <term> + <digit><integer> / <term> Expanding <term> randomly Tree: <factor> + <digit><integer> / <term> Expanding <term> randomly Tree: <factor> + <digit><integer> / <factor> * <term> Expanding <integer> at minimum cost Tree: <factor> + <digit><digit> / <factor> * <term> Expanding <factor> at minimum cost Tree: <integer> + <digit><digit> / <factor> * <term> Expanding <integer> at minimum cost Tree: <digit> + <digit><digit> / <factor> * <term> Expanding <digit> at minimum cost Tree: 1 + <digit><digit> / <factor> * <term> Expanding <digit> at minimum cost Tree: 1 + 4<digit> / <factor> * <term> Expanding <factor> at minimum cost Tree: 1 + 4<digit> / <integer> * <term> Expanding <digit> at minimum cost Tree: 1 + 43 / <integer> * <term> Expanding <term> at minimum cost Tree: 1 + 43 / <integer> * <factor> Expanding <factor> at minimum cost Tree: 1 + 43 / <integer> * <integer> Expanding <integer> at minimum cost Tree: 1 + 43 / <integer> * <digit> Expanding <digit> at minimum cost Tree: 1 + 43 / <integer> * 2 Expanding <integer> at minimum cost Tree: 1 + 43 / <digit> * 2 Expanding <digit> at minimum cost Tree: 1 + 43 / 3 * 2
This is the final derivation tree:
display_tree(derivation_tree)
And this is the resulting string:
all_terminals(derivation_tree)
'1 + 43 / 3 * 2'
Based on this, we can now define a function fuzz()
that – like simple_grammar_fuzzer()
– simply takes a grammar and produces a string from it. It thus no longer exposes the complexity of derivation trees.
class GrammarFuzzer(GrammarFuzzer):
def fuzz_tree(self) -> DerivationTree:
"""Produce a derivation tree from the grammar."""
tree = self.init_tree()
# print(tree)
# Expand all nonterminals
tree = self.expand_tree(tree)
if self.log:
print(repr(all_terminals(tree)))
if self.disp:
display(display_tree(tree))
return tree
def fuzz(self) -> str:
"""Produce a string from the grammar."""
self.derivation_tree = self.fuzz_tree()
return all_terminals(self.derivation_tree)
We can now apply this on all our defined grammars (and visualize the derivation tree along)
f = GrammarFuzzer(EXPR_GRAMMAR)
f.fuzz()
'10.3 * 9 * (9 * 9 + 8 + 7 - 6) * 55.3 * 3 / 9'
After calling fuzz()
, the produced derivation tree is accessible in the derivation_tree
attribute:
display_tree(f.derivation_tree)
Let us try out the grammar fuzzer (and its trees) on other grammar formats.
f = GrammarFuzzer(URL_GRAMMAR)
f.fuzz()
'ftp://user:password@fuzzingbook.com/abc?x58=def&def=3&x97=x40&abc=abc'
display_tree(f.derivation_tree)
f = GrammarFuzzer(CGI_GRAMMAR, min_nonterminals=3, max_nonterminals=5)
f.fuzz()
'%d213'
display_tree(f.derivation_tree)
How do we stack up against simple_grammar_fuzzer()
?
trials = 50
xs = []
ys = []
f = GrammarFuzzer(EXPR_GRAMMAR, max_nonterminals=20)
for i in range(trials):
with Timer() as t:
s = f.fuzz()
xs.append(len(s))
ys.append(t.elapsed_time())
print(i, end=" ")
print()
0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49
average_time = sum(ys) / trials
print("Average time:", average_time)
Average time: 0.014464827459305525
%matplotlib inline
import matplotlib.pyplot as plt
plt.scatter(xs, ys)
plt.title('Time required for generating an output');
Our test generation is much faster, but also our inputs are much smaller. We see that with derivation trees, we can get much better control over grammar production.
Finally, how does GrammarFuzzer
work with expr_grammar
, where simple_grammar_fuzzer()
failed? It works without any issue:
f = GrammarFuzzer(expr_grammar, max_nonterminals=10)
f.fuzz()
'--((3) / 7 * 9 / 0) * (9 + (7) * 4 * 3)'
With GrammarFuzzer
, we now have a solid foundation on which to build further fuzzers and illustrate more exciting concepts from the world of generating software tests. Many of these do not even require writing a grammar – instead, they infer a grammar from the domain at hand, and thus allow using grammar-based fuzzing even without writing a grammar. Stay tuned!
This chapter introduces GrammarFuzzer
, an efficient grammar fuzzer that takes a grammar to produce syntactically valid input strings. Here's a typical usage:
phone_fuzzer = GrammarFuzzer(US_PHONE_GRAMMAR)
phone_fuzzer.fuzz()
'(236)844-1154'
The GrammarFuzzer
constructor takes a number of keyword arguments to control its behavior. start_symbol
, for instance, allows setting the symbol that expansion starts with (instead of <start>
):
area_fuzzer = GrammarFuzzer(US_PHONE_GRAMMAR, start_symbol='<area>')
area_fuzzer.fuzz()
'996'
Here's how to parameterize the GrammarFuzzer
constructor:
# ignore
import inspect
# ignore
print(inspect.getdoc(GrammarFuzzer.__init__))
Produce strings from `grammar`, starting with `start_symbol`. If `min_nonterminals` or `max_nonterminals` is given, use them as limits for the number of nonterminals produced. If `disp` is set, display the intermediate derivation trees. If `log` is set, show intermediate steps as text on standard output.
# ignore
from ClassDiagram import display_class_hierarchy
# ignore
display_class_hierarchy([GrammarFuzzer],
public_methods=[
Fuzzer.__init__,
Fuzzer.fuzz,
Fuzzer.run,
Fuzzer.runs,
GrammarFuzzer.__init__,
GrammarFuzzer.fuzz,
GrammarFuzzer.fuzz_tree,
],
types={
'DerivationTree': DerivationTree,
'Expansion': Expansion,
'Grammar': Grammar
},
project='fuzzingbook')
Internally, GrammarFuzzer
makes use of derivation trees, which it expands step by step. After producing a string, the tree produced can be accessed in the derivation_tree
attribute.
display_tree(phone_fuzzer.derivation_tree)
In the internal representation of a derivation tree, a node is a pair (symbol
, children
). For nonterminals, symbol
is the symbol that is being expanded, and children
is a list of further nodes. For terminals, symbol
is the terminal string, and children
is empty.
phone_fuzzer.derivation_tree
('<start>', [('<phone-number>', [('(', []), ('<area>', [('<lead-digit>', [('2', [])]), ('<digit>', [('3', [])]), ('<digit>', [('6', [])])]), (')', []), ('<exchange>', [('<lead-digit>', [('8', [])]), ('<digit>', [('4', [])]), ('<digit>', [('4', [])])]), ('-', []), ('<line>', [('<digit>', [('1', [])]), ('<digit>', [('1', [])]), ('<digit>', [('5', [])]), ('<digit>', [('4', [])])])])])
The chapter contains various helpers to work with derivation trees, including visualization tools – notably, display_tree()
, above.
Derivation trees (then frequently called parse trees) are a standard data structure into which parsers decompose inputs. The Dragon Book (also known as Compilers: Principles, Techniques, and Tools) \cite{Aho2006} discusses parsing into derivation trees as part of compiling programs. We also use derivation trees when parsing and recombining inputs.
The key idea in this chapter, namely expanding until a limit of symbols is reached, and then always choosing the shortest path, stems from Luke \cite{Luke2000}.
Tracking GrammarFuzzer
reveals that some methods are called again and again, always with the same values.
Set up a class FasterGrammarFuzzer
with a cache that checks whether the method has been called before, and if so, return the previously computed "memoized" value. Do this for expansion_to_children()
. Compare the number of invocations before and after the optimization.
Important: For expansion_to_children()
, make sure that each list returned is an individual copy. If you return the same (cached) list, this will interfere with the in-place modification of GrammarFuzzer
. Use the Python copy.deepcopy()
function for this purpose.
Some methods such as symbol_cost()
or expansion_cost()
return a value that is dependent on the grammar only. Set up a class EvenFasterGrammarFuzzer()
that pre-computes these values once upon initialization, such that later invocations of symbol_cost()
or expansion_cost()
need only look up these values.
In expand_tree_once()
, the algorithm traverses the tree again and again to find nonterminals that still can be extended. Speed up the process by keeping a list of nonterminal symbols in the tree that still can be expanded.
We could define expand_node_randomly()
such that it simply invokes expand_node_by_cost(node, random.choice)
:
class ExerciseGrammarFuzzer(GrammarFuzzer):
def expand_node_randomly(self, node: DerivationTree) -> DerivationTree:
if self.log:
print("Expanding", all_terminals(node), "randomly by cost")
return self.expand_node_by_cost(node, random.choice)
What is the difference between the original implementation and this alternative?