#!/usr/bin/env python # coding: utf-8 # # Probabilistic Grammar Fuzzing # # Let us give grammars even more power by assigning _probabilities_ to individual expansions. This allows us to control how many of each element should be produced, and thus allows us to _target_ our generated tests towards specific functionality. We also show how to learn such probabilities from given sample inputs, and specifically direct our tests towards input features that are uncommon in these samples. # In[1]: from bookutils import YouTubeVideo YouTubeVideo('9htOliNwopc') # **Prerequisites** # # * You should have read the [chapter on grammars](Grammars.ipynb). # * Our implementation hooks into the grammar-based fuzzer introduced in ["Efficient Grammar Fuzzing"](GrammarFuzzer.ipynb) # * For learning probabilities from samples, we make use of [parsers](Parser.ipynb). # ## Synopsis # # # To [use the code provided in this chapter](Importing.ipynb), write # # ```python # >>> from fuzzingbook.ProbabilisticGrammarFuzzer import # ``` # # and then make use of the following features. # # # A _probabilistic_ grammar allows attaching individual _probabilities_ to production rules. To set the probability of an individual expansion `S` to the value `X` (between 0 and 1), replace it with a pair # # ```python # (S, opts(prob=X)) # ``` # # If we want to ensure that 90% of phone numbers generated have an area code starting with `9`, we can write: # # ```python # >>> from Grammars import US_PHONE_GRAMMAR, extend_grammar, opts # >>> PROBABILISTIC_US_PHONE_GRAMMAR: Grammar = extend_grammar(US_PHONE_GRAMMAR, # >>> { # >>> "": [ # >>> "2", "3", "4", "5", "6", "7", "8", # >>> ("9", opts(prob=0.9)) # >>> ], # >>> }) # ``` # A `ProbabilisticGrammarFuzzer` will extract and interpret these options. Here is an example: # # ```python # >>> probabilistic_us_phone_fuzzer = ProbabilisticGrammarFuzzer(PROBABILISTIC_US_PHONE_GRAMMAR) # >>> [probabilistic_us_phone_fuzzer.fuzz() for i in range(5)] # ['(918)925-2501', # '(981)925-0792', # '(934)995-5029', # '(955)999-7801', # '(964)927-0877'] # ``` # As you can see, the large majority of area codes now starts with `9`. # # ![](PICS/ProbabilisticGrammarFuzzer-synopsis-1.svg) # # # ## The Law of Leading Digits # In all our examples so far, you may have noted that inputs generated by a program differ quite a bit from "natural" inputs as they occur in real life. This is true even for innocuous elements such as numbers – yes, the numbers we have generated so far actually _differ_ from numbers in the real world. This is because in real-life sets of numerical data, the _leading significant digit_ is likely to be small: Actually, on average, the leading digit `1` occurs more than _six times_ as often as the leading digit `8` or `9`. It has been shown that this result applies to a wide variety of data sets, including electricity bills, street addresses, stock prices, house prices, population numbers, death rates, lengths of rivers, physical and mathematical constants (Wikipedia). # This law of leading digits was first observed by Newcomb \cite{Newcomb1881} and later formalized by Benford in \cite{Benford1938}. Let us take a look at the conditions that determine the first digit of a number. We can easily compute the first digit by converting the number into a string and take the first character: # In[2]: def first_digit_via_string(x: int) -> int: return ord(repr(x)[0]) - ord('0') # In[3]: first_digit_via_string(2001) # To do this mathematically, though, we have to take the fractional part of their logarithm, or formally # # $$ # d = 10^{\{\log_{10}(x)\}} # $$ # # where $\{x\}$ is the fractional part of $x$ (i.e. $\{1.234\} = 0.234$). # In[4]: import math # In[5]: def first_digit_via_log(x: int) -> int: frac, whole = math.modf(math.log10(x)) return int(10 ** frac) # In[6]: first_digit_via_log(2001) # Most sets of "naturally" occurring numbers should not have any bias in the fractional parts of their logarithms, and hence, the fractional part $\{\log_{10}(x)\}$ is typically uniformly distributed. However, the fractional parts for the individual digits are _not_ evenly distributed. # For a number to start with a digit $d$, the condition $d < 10^{\{\log_{10}(x)\}} < d + 1$ must hold. To start with the digit 1, the fractional part $\{\log_{10}(x)\}$ must thus be in the range # In[7]: (math.log10(1), math.log10(2)) # To start with the digit 2, though, it must be in the range # In[8]: (math.log10(2), math.log10(3)) # which is much smaller. Formally, the probability $P(d)$ for a leading digit $d$ (again, assuming uniformly distributed fractional parts) is known as Benford's law: # $$ # P(d) = \log_{10}(d + 1) - \log_{10}(d) # $$ # which gives us: # In[9]: def prob_leading_digit(d: int) -> float: return math.log10(d + 1) - math.log10(d) # Let us compute these probabilities for all digits: # In[10]: digit_probs = [prob_leading_digit(d) for d in range(1, 10)] [(d, "%.2f" % digit_probs[d - 1]) for d in range(1, 10)] # In[11]: # ignore import matplotlib.pyplot as plt # type: ignore # In[12]: # ignore labels = range(1, 10) fig1, ax1 = plt.subplots() ax1.pie(digit_probs, labels=labels, shadow=True, autopct='%1.1f%%', counterclock=False, startangle=90) ax1.axis('equal'); # We see that a leading 1 is indeed six times as probable as a leading 9. # Benford's law has a number of applications. Most notably, it can be used to detect "non-natural" numbers, i.e. numbers that apparently were created randomly rather than coming from a "natural" source. if you write a scientific paper and fake data by putting in random numbers (for instance, [using our grammar fuzzer](GrammarFuzzer.ipynb) on integers), you will likely violate Benford's law, and this can indeed be spotted. On the other hand, how would we proceed if we _wanted_ to create numbers that adhere to Benford's law? To this end, we need to be able to _encode_ probabilities such as the above in our grammar, such that we can ensure that a leading digit is indeed a `1` in 30% of all cases. # ## Specifying Probabilities # # The goal of this chapter is to assign _probabilities_ to individual expansions in the grammar, such that we can express that some expansion alternatives should be favored over others. This is not only useful to generate "natural"-looking numbers, but even more so to _direct_ test generation towards a specific goal. If you recently have changed some code in your program, you would probably like to generate inputs that exercise precisely this code. By raising the probabilities on the input elements associated with the changed code, you will get more tests that exercise the changed code. # Our concept for expressing probabilities is to _annotate_ individual expansions with attributes such as probabilities, using the annotation mechanism introduced in [the chapter on grammars](Grammars.ipynb). To this end, we allow that an expansion cannot only be a string, but also a _pair_ of a string and a set of attributes, as in # # ```python # "": # [(" + ", opts(prob=0.1)), # (" - ", opts(prob=0.2)), # ""] # ``` # # Here, the `opts()` function would allow us to express probabilities for choosing the individual expansions. The addition would have a probability of 10%, the subtraction of 20%. The remaining probability (in this case 70%) is equally distributed over the non-attributed expansions (in this case the single last one). # We can now use pairs with `opts()` to assign probabilities to our expression grammar: # In[13]: import bookutils.setup # In[14]: from Fuzzer import Fuzzer # In[15]: from GrammarFuzzer import GrammarFuzzer, all_terminals, display_tree, DerivationTree # In[16]: from Grammars import is_valid_grammar, EXPR_GRAMMAR, START_SYMBOL, crange from Grammars import opts, exp_string, exp_opt, set_opts from Grammars import Grammar, Expansion # In[17]: from typing import List, Dict, Set, Optional, cast, Any, Tuple # In[18]: PROBABILISTIC_EXPR_GRAMMAR: Grammar = { "": [""], "": [(" + ", opts(prob=0.1)), (" - ", opts(prob=0.2)), ""], "": [(" * ", opts(prob=0.1)), (" / ", opts(prob=0.1)), "" ], "": ["+", "-", "()", "", "."], "": ["", ""], # Benford's law: frequency distribution of leading digits "": [("1", opts(prob=0.301)), ("2", opts(prob=0.176)), ("3", opts(prob=0.125)), ("4", opts(prob=0.097)), ("5", opts(prob=0.079)), ("6", opts(prob=0.067)), ("7", opts(prob=0.058)), ("8", opts(prob=0.051)), ("9", opts(prob=0.046)), ], # Remaining digits are equally distributed "": ["", ""], "": ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9"], } # In[19]: assert is_valid_grammar(PROBABILISTIC_EXPR_GRAMMAR, supported_opts={'prob'}) # This is how the grammar expansions are represented internally: # In[20]: leaddigits: List[Expansion] = PROBABILISTIC_EXPR_GRAMMAR[""] leaddigits # However, we typically access the expansion string and the associated probability via designated helper functions, `exp_string()` (from the [chapter on Grammars](Grammars.ipynb)) and `exp_prob()`: # In[21]: leaddigit_expansion = leaddigits[0] leaddigit_expansion # In[22]: exp_string(leaddigit_expansion) # In[23]: def exp_prob(expansion: Expansion) -> float: """Return the options of an expansion""" return exp_opt(expansion, 'prob') # In[24]: exp_prob(leaddigit_expansion) # Our existing fuzzers are all set up to work with grammars annotated this way. They simply ignore all annotations. # In[25]: f = GrammarFuzzer(PROBABILISTIC_EXPR_GRAMMAR) f.fuzz() # In[26]: from GrammarCoverageFuzzer import GrammarCoverageFuzzer # minor dependency # In[27]: f = GrammarCoverageFuzzer(PROBABILISTIC_EXPR_GRAMMAR) f.fuzz() # ## Computing Probabilities # # Let us define functions that access probabilities for given expansions. While doing so, they also check for inconsistencies. # ### Distributing Probabilities # # Here is how we distribute probabilities for expansions without specified probabilities. Given an expansion rule # # $$S ::= a_1\:|\: a_2 \:|\: \dots \:|\: a_n \:|\: u_1 \:|\: u_2 \:|\: \dots u_m$$ # # with $n \ge 0$ alternatives $a_i$ for which the probability $p(a_i)$ is _specified_ and # $m \ge 0$ alternatives $u_j$ for which the probability $p(u_j)$ is _unspecified_, # the "remaining" probability is distributed equally over all $u_j$; in other words, # # $$p(u_j) = \frac{1 - \sum_{i = 1}^{n}p(a_i)}{m}$$ # # If no probabilities are specified ($n = 0$), then all expansions have the same probability. # # The overall sum of probabilities must be 1: # # $$\sum_{i = 1}^{n} p(a_i) + \sum_{j = 1}^{m} p(u_i) = 1$$ # # We check these properties while distributing probabilities. # The function `exp_probabilities()` returns a mapping of all expansions in a rule to their respective probabilities. # In[28]: def exp_probabilities(expansions: List[Expansion], nonterminal: str ="") \ -> Dict[Expansion, float]: probabilities = [exp_prob(expansion) for expansion in expansions] prob_dist = prob_distribution(probabilities, nonterminal) # type: ignore prob_mapping: Dict[Expansion, float] = {} for i in range(len(expansions)): expansion = exp_string(expansions[i]) prob_mapping[expansion] = prob_dist[i] return prob_mapping # The gist of `exp_probabilities()` is handled in `prob_distribution()`, which does the actual checking and computation. # In[29]: def prob_distribution(probabilities: List[Optional[float]], nonterminal: str = ""): epsilon = 0.00001 number_of_unspecified_probabilities = probabilities.count(None) if number_of_unspecified_probabilities == 0: sum_probabilities = cast(float, sum(probabilities)) assert abs(sum_probabilities - 1.0) < epsilon, \ nonterminal + ": sum of probabilities must be 1.0" return probabilities sum_of_specified_probabilities = 0.0 for p in probabilities: if p is not None: sum_of_specified_probabilities += p assert 0 <= sum_of_specified_probabilities <= 1.0, \ nonterminal + ": sum of specified probabilities must be between 0.0 and 1.0" default_probability = ((1.0 - sum_of_specified_probabilities) / number_of_unspecified_probabilities) all_probabilities = [] for p in probabilities: if p is None: p = default_probability all_probabilities.append(p) assert abs(sum(all_probabilities) - 1.0) < epsilon return all_probabilities # Here's the mapping `exp_probabilities()` returns for the annotated `` element: # In[30]: print(exp_probabilities(PROBABILISTIC_EXPR_GRAMMAR[""])) # If no expansion is annotated, all expansions have the same likelihood of being selected, as in our previous grammar fuzzers. # In[31]: print(exp_probabilities(PROBABILISTIC_EXPR_GRAMMAR[""])) # Here's how `exp_probabilities()` distributes any remaining probability across non-annotated expansions: # In[32]: exp_probabilities(PROBABILISTIC_EXPR_GRAMMAR[""]) # ### Checking Probabilities # We can use the checking capabilities of `exp_probabilities()` to check a probabilistic grammar for consistency: # In[33]: def is_valid_probabilistic_grammar(grammar: Grammar, start_symbol: str = START_SYMBOL) -> bool: if not is_valid_grammar(grammar, start_symbol): return False for nonterminal in grammar: expansions = grammar[nonterminal] _ = exp_probabilities(expansions, nonterminal) return True # In[34]: assert is_valid_probabilistic_grammar(PROBABILISTIC_EXPR_GRAMMAR) # In[35]: assert is_valid_probabilistic_grammar(EXPR_GRAMMAR) # In[36]: from ExpectError import ExpectError # In[37]: with ExpectError(): assert is_valid_probabilistic_grammar({"": [("1", opts(prob=0.5))]}) # In[38]: with ExpectError(): assert is_valid_probabilistic_grammar( {"": [("1", opts(prob=1.5)), "2"]}) # ## Expanding by Probability # # Now that we have seen how to specify probabilities for a grammar, we can actually implement probabilistic expansion. In our `ProbabilisticGrammarFuzzer`, it suffices to overload one method, namely `choose_node_expansion()`. For each of the children we can choose from (typically all expansions of a symbol), we determine their probability (using `exp_probabilities()` defined above), and make a weighted choice using `random.choices()` with a `weight` argument. # In[39]: import random # In[40]: class ProbabilisticGrammarFuzzer(GrammarFuzzer): """A grammar-based fuzzer respecting probabilities in grammars.""" def check_grammar(self) -> None: super().check_grammar() assert is_valid_probabilistic_grammar(self.grammar) def supported_opts(self) -> Set[str]: return super().supported_opts() | {'prob'} # In[41]: class ProbabilisticGrammarFuzzer(ProbabilisticGrammarFuzzer): def choose_node_expansion(self, node: DerivationTree, children_alternatives: List[Any]) -> int: (symbol, tree) = node expansions = self.grammar[symbol] probabilities = exp_probabilities(expansions) weights: List[float] = [] for children in children_alternatives: expansion = all_terminals((symbol, children)) children_weight = probabilities[expansion] if self.log: print(repr(expansion), "p =", children_weight) weights.append(children_weight) if sum(weights) == 0: # No alternative (probably expanding at minimum cost) return random.choices( range(len(children_alternatives)))[0] else: return random.choices( range(len(children_alternatives)), weights=weights)[0] # Our probabilistic grammar fuzzer works just like the non-probabilistic grammar fuzzer, except that it actually respects probability annotations. Let us generate a couple of "natural" numbers that respect Benford's law: # In[42]: natural_fuzzer = ProbabilisticGrammarFuzzer( PROBABILISTIC_EXPR_GRAMMAR, start_symbol="") print([natural_fuzzer.fuzz() for i in range(20)]) # In contrast, these numbers are pure random: # In[43]: integer_fuzzer = GrammarFuzzer( PROBABILISTIC_EXPR_GRAMMAR, start_symbol="") print([integer_fuzzer.fuzz() for i in range(20)]) # Are the "natural" numbers really more "natural" than the random ones? To show that `ProbabilisticGrammarFuzzer` indeed respects the probabilistic annotations, let us create a specific fuzzer for the lead digit: # In[44]: leaddigit_fuzzer = ProbabilisticGrammarFuzzer( PROBABILISTIC_EXPR_GRAMMAR, start_symbol="") leaddigit_fuzzer.fuzz() # If we generate thousands of lead digits, their distribution should again follow Benford's law: # In[45]: trials = 10000 count = {} for c in crange('0', '9'): count[c] = 0 for i in range(trials): count[leaddigit_fuzzer.fuzz()] += 1 print([(digit, count[digit] / trials) for digit in count]) # Quod erat demonstrandum! The distribution is pretty much exactly as originally specified. We now have a fuzzer where we can exercise control by specifying probabilities. # ## Directed Fuzzing # # Assigning probabilities to individual expansions gives us great control over which inputs should be generated. By choosing probabilities wisely, we can _direct_ fuzzing towards specific functions and features – for instance, towards functions that are particularly critical, prone to failures, or that have been recently changed. # As an example, consider the URL grammar from the [chapter on grammars](Grammars.ipynb). Let us assume we have just made a change to our implementation of the secure FTP protocol. By assigning a higher probability to the `ftps` scheme, we can generate more URLs that will specifically test this functionality. # First, let us define a helper function that sets a particular option: # Here's a specialization just for probabilities: # In[46]: def set_prob(grammar: Grammar, symbol: str, expansion: Expansion, prob: Optional[float]) -> None: """Set the probability of the given expansion of grammar[symbol]""" set_opts(grammar, symbol, expansion, opts(prob=prob)) # Let us use `set_prob()` to give the `ftps` expansion a probability of 80%: # In[47]: from Grammars import URL_GRAMMAR, extend_grammar # In[48]: probabilistic_url_grammar = extend_grammar(URL_GRAMMAR) set_prob(probabilistic_url_grammar, "", "ftps", 0.8) assert is_valid_probabilistic_grammar(probabilistic_url_grammar) # In[49]: probabilistic_url_grammar[""] # If we use this grammar for fuzzing, we will get plenty of `ftps:` prefixes: # In[50]: prob_url_fuzzer = ProbabilisticGrammarFuzzer(probabilistic_url_grammar) for i in range(10): print(prob_url_fuzzer.fuzz()) # In a similar vein, we can direct URL generation towards specific hosts or ports; we can favor URLs with queries, fragments, or logins – or URLs without these. All it takes is to set appropriate probabilities. # By setting the probability of an expansion to zero, we can effectively disable specific expansions: # In[51]: set_prob(probabilistic_url_grammar, "", "ftps", 0.0) assert is_valid_probabilistic_grammar(probabilistic_url_grammar) # In[52]: prob_url_fuzzer = ProbabilisticGrammarFuzzer(probabilistic_url_grammar) for i in range(10): print(prob_url_fuzzer.fuzz()) # Note that even if we set the probability of an expansion to zero, we may still see the expansion taken. This can happen during the "closing" phase of [our grammar fuzzer](GrammarFuzzer.ipynb), when the expansion is closed at minimum cost. At this stage, even expansions with "zero" probability will be taken if this is necessary for closing the expansion. # Let us illustrate this feature using the `` rule from our expression grammar: # In[53]: from Grammars import EXPR_GRAMMAR # In[54]: probabilistic_expr_grammar = extend_grammar(EXPR_GRAMMAR) probabilistic_expr_grammar[""] # If we set the probability of the `` expansion to zero, the string should expand again and again. # In[55]: set_prob(probabilistic_expr_grammar, "", "", 0.0) assert is_valid_probabilistic_grammar(probabilistic_expr_grammar) # Still, in the "closing" phase, subexpressions will eventually expand into ``, as it is the only way to close the expansion. Tracking `choose_node_expansion()` shows that it is invoked with only one possible expansion ``, which has to be taken even though its specified probability is zero. # In[56]: prob_expr_fuzzer = ProbabilisticGrammarFuzzer(probabilistic_expr_grammar) prob_expr_fuzzer.fuzz() # ## Probabilities in Context # # While specified probabilities give us a means to control which expansions are taken how often, this control by itself may not be enough. As an example, consider the following grammar for IPv4 addresses: # In[57]: def decrange(start: int, end: int) -> List[Expansion]: """Return a list with string representations of numbers in the range [start, end)""" return [repr(n) for n in range(start, end)] # In[58]: IP_ADDRESS_GRAMMAR: Grammar = { "": ["
"], "
": ["..."], # ["0", "1", "2", ..., "255"] "": decrange(0, 256) } # In[59]: print(IP_ADDRESS_GRAMMAR[""][:20]) # In[60]: assert is_valid_grammar(IP_ADDRESS_GRAMMAR) # We can easily use this grammar to create IP addresses: # In[61]: ip_fuzzer = ProbabilisticGrammarFuzzer(IP_ADDRESS_GRAMMAR) ip_fuzzer.fuzz() # However, if we want to assign a specific probability to one of the four octets, we are out of luck. All we can do is to assign the same probability distribution for all four octets: # In[62]: probabilistic_ip_address_grammar = extend_grammar(IP_ADDRESS_GRAMMAR) set_prob(probabilistic_ip_address_grammar, "", "127", 0.8) # In[63]: probabilistic_ip_fuzzer = ProbabilisticGrammarFuzzer( probabilistic_ip_address_grammar) probabilistic_ip_fuzzer.fuzz() # If we want to assign _different_ probabilities to each of the four octets, what do we do? # The answer lies in the concept of _context_, which we already have seen [while discussing coverage-driven fuzzers](GrammarCoverageFuzzer.ipynb). As with coverage-driven fuzzing, the idea is to _duplicate_ the element whose probability we want to set dependent on its context. In our case, this means to duplicate the `` element to four individual ones, each of which can then get an individual probability distribution. We can do this programmatically, using the `duplicate_context()` method: # In[64]: from GrammarCoverageFuzzer import duplicate_context # minor dependency # In[65]: probabilistic_ip_address_grammar = extend_grammar(IP_ADDRESS_GRAMMAR) duplicate_context(probabilistic_ip_address_grammar, "
") # In[66]: probabilistic_ip_address_grammar["
"] # We can now assign different probabilities to each of the `` symbols. For instance, we can force specific expansions by setting their probability to 100%: # In[67]: set_prob(probabilistic_ip_address_grammar, "", "127", 1.0) set_prob(probabilistic_ip_address_grammar, "", "0", 1.0) # In[68]: assert is_valid_probabilistic_grammar(probabilistic_ip_address_grammar) # The remaining two octets `` and `` have no specific probabilities set. During fuzzing, all their expansions (all octets) are thus still available: # In[69]: probabilistic_ip_fuzzer = ProbabilisticGrammarFuzzer( probabilistic_ip_address_grammar) [probabilistic_ip_fuzzer.fuzz() for i in range(5)] # Just as with coverage, we can duplicate grammar rules arbitrarily often to get more and more finer-grained control over probabilities. However, this finer-grained control also comes at the cost of having to maintain these probabilities. In the next section, we will therefore discuss means to assign and tune such probabilities automatically. # ## Learning Probabilities from Samples # # Probabilities need not be set manually all the time. They can also be _learned_ from other sources, notably by counting _how frequently individual expansions occur in a given set of inputs_. This is useful in a number of situations, including: # # 1. Test _common_ features. The idea is that during testing, one may want to focus on frequently occurring (or frequently used) features first, to ensure correct functionality for the most common usages. # 2. Test _uncommon_ features. Here, the idea is to have test generation focus on features that are rarely seen (or not seen at all) in inputs. This is the same motivation as with [grammar coverage](GrammarCoverageFuzzer.ipynb), but from a probabilistic standpoint. # 3. Focus on specific _slices_. One may have a set of inputs that is of particular interest (for instance, because they exercise a critical functionality, or recently have discovered bugs). Using this learned distribution for fuzzing allows us to _focus_ on precisely these functionalities of interest. # # Let us first introduce counting expansions and learning probabilities, and then detail these scenarios. # ### Counting Expansions # # We start with implementing a means to take a set of inputs and determine the number of expansions in that set. To this end, we need the _parsers_ introduced [in the previous chapter](Parser.ipynb) to transform a string input into a derivation tree. For our IP address grammar, this is how this works: # In[70]: from Parser import Parser, EarleyParser # In[71]: IP_ADDRESS_TOKENS = {""} # EarleyParser needs explicit tokens # In[72]: parser = EarleyParser(IP_ADDRESS_GRAMMAR) # In[73]: tree, *_ = parser.parse("127.0.0.1") display_tree(tree) # In a tree such as this one, we can now _count_ individual expansions. In the above tree, for instance, we have two expansions of `` into `0`, one into `1`, and one into `127`. The expansion `` into `0` makes up 50% of all expansions seen; the expansions into `127` and `1` make up 25% each, and the other ones 0%. These are the probabilities we'd like to assign to our "learned" grammar. # We introduce a class `ExpansionCountMiner` which allows us to count how frequently individual expansions take place. Its initialization method takes a parser (say, an `EarleyParser`) that would be initialized with the appropriate grammar. # In[74]: from GrammarCoverageFuzzer import expansion_key # minor dependency # In[75]: from Grammars import is_nonterminal # In[76]: class ExpansionCountMiner: def __init__(self, parser: Parser, log: bool = False) -> None: assert isinstance(parser, Parser) self.grammar = extend_grammar(parser.grammar()) self.parser = parser self.log = log self.reset() # The attribute `expansion_counts` holds the expansions seen; adding a tree with `add_tree()` traverses the given tree and adds all expansions seen. # In[77]: class ExpansionCountMiner(ExpansionCountMiner): def reset(self) -> None: self.expansion_counts: Dict[str, int] = {} def add_coverage(self, symbol: str, children: List[DerivationTree]) -> None: key = expansion_key(symbol, children) if self.log: print("Found", key) if key not in self.expansion_counts: self.expansion_counts[key] = 0 self.expansion_counts[key] += 1 def add_tree(self, tree: DerivationTree) -> None: (symbol, children) = tree if not is_nonterminal(symbol): return assert children is not None direct_children: List[DerivationTree] = [ (symbol, None) if is_nonterminal(symbol) else (symbol, []) for symbol, c in children] self.add_coverage(symbol, direct_children) for c in children: self.add_tree(c) # The method `count_expansions()` is the one facing the public; it takes a list of inputs, parses them, and processes the resulting trees. The method ` counts()` returns the counts found. # In[78]: class ExpansionCountMiner(ExpansionCountMiner): def count_expansions(self, inputs: List[str]) -> None: for inp in inputs: tree, *_ = self.parser.parse(inp) self.add_tree(tree) def counts(self) -> Dict[str, int]: return self.expansion_counts # Let us try this out on our IP address grammar. We create an `ExpansionCountMiner` for our IP address grammar: # In[79]: expansion_count_miner = ExpansionCountMiner(EarleyParser(IP_ADDRESS_GRAMMAR)) # We parse a (small) set of IP addresses and count the expansions occurring: # In[80]: expansion_count_miner.count_expansions(["127.0.0.1", "1.2.3.4"]) expansion_count_miner.counts() # You see that we have one expansion into `127`, and two into `0`. These are the counts we can use to assign probabilities. # ### Assigning Probabilities # # The distribution of counts, as determined by `ExpansionCountMiner` is what we can use to assign probabilities to our grammar. To this end, we introduce a subclass `ProbabilisticGrammarMiner` whose method `set_expansion_probabilities()` processes all expansions of a given symbol, checks whether it occurs in a given count distribution, and assigns probabilities using the following formula. # Given a set $T$ of derivation trees (as mined from samples), we determine the probabilities $p_i$ for each alternative $a_i$ of a symbol $S \rightarrow a_1 | \dots | a_n$ as # # $$p_i = \frac{\text{Expansions of $S \rightarrow a_i$ in $T$}}{\text{Expansions of $S$ in $T$}}$$ # # Should $S$ not occur at all in $T$, then $p_i$ is _unspecified_. # Here is the implementation of `set_expansion_probabilities()`, implementing the above formula: # In[81]: class ProbabilisticGrammarMiner(ExpansionCountMiner): def set_probabilities(self, counts: Dict[str, int]): for symbol in self.grammar: self.set_expansion_probabilities(symbol, counts) def set_expansion_probabilities(self, symbol: str, counts: Dict[str, int]): expansions = self.grammar[symbol] if len(expansions) == 1: set_prob(self.grammar, symbol, expansions[0], None) return expansion_counts = [ counts.get( expansion_key( symbol, expansion), 0) for expansion in expansions] total = sum(expansion_counts) for i, expansion in enumerate(expansions): p = expansion_counts[i] / total if total > 0 else None # if self.log: # print("Setting", expansion_key(symbol, expansion), p) set_prob(self.grammar, symbol, expansion, p) # The typical use of `ProbabilisticGrammarMiner` is through `mine_probabilistic_grammar()`, which first determines a distribution from a set of inputs, and then sets the probabilities accordingly. # In[82]: class ProbabilisticGrammarMiner(ProbabilisticGrammarMiner): def mine_probabilistic_grammar(self, inputs: List[str]) -> Grammar: self.count_expansions(inputs) self.set_probabilities(self.counts()) return self.grammar # Let us put this to use. We create a grammar miner for IP addresses: # In[83]: probabilistic_grammar_miner = ProbabilisticGrammarMiner( EarleyParser(IP_ADDRESS_GRAMMAR)) # We now use `mine_probabilistic_grammar()` to mine the grammar: # In[84]: probabilistic_ip_address_grammar = probabilistic_grammar_miner.mine_probabilistic_grammar([ "127.0.0.1", "1.2.3.4"]) # In[85]: assert is_valid_probabilistic_grammar(probabilistic_ip_address_grammar) # Here's the resulting distribution of octets in our grammar: # In[86]: [expansion for expansion in probabilistic_ip_address_grammar[''] if exp_prob(expansion) > 0] # If we use these probabilities for fuzzing, we will get the same distribution of octets as in our sample: # In[87]: probabilistic_ip_fuzzer = ProbabilisticGrammarFuzzer( probabilistic_ip_address_grammar) [probabilistic_ip_fuzzer.fuzz() for i in range(10)] # By learning from a sample, we can thus adjust our fuzzing towards the (syntactic) properties of this very sample. # ### Testing Common Features # # Let us now get to our three usage scenarios. The first scenario is to create probability distributions right out of a sample, and to use these very distributions during test generation. This helps to focus test generation on those features that are _most commonly used_, which thus minimizes the risk of customers encountering failures. # To illustrate testing of common features, we choose the URL domain. Let us assume that we are running some Web-related service, and this is a sample of the URLs our customers access most: # In[88]: URL_SAMPLE: List[str] = [ "https://user:password@cispa.saarland:80/", "https://fuzzingbook.com?def=56&x89=3&x46=48&def=def", "https://cispa.saarland:80/def?def=7&x23=abc", "https://fuzzingbook.com:80/", "https://fuzzingbook.com:80/abc?def=abc&abc=x14&def=abc&abc=2&def=38", "ftps://fuzzingbook.com/x87", "https://user:password@fuzzingbook.com:6?def=54&x44=abc", "http://fuzzingbook.com:80?x33=25&def=8", "http://fuzzingbook.com:8080/def", ] # Using the Earley parser from the [chapter on parsers](Parser.ipynb), we can parse any of these inputs into a parse tree; we have to specify a token set, though. # In[89]: URL_TOKENS: Set[str] = {"", "", "", "", ""} # In[90]: url_parser = EarleyParser(URL_GRAMMAR, tokens=URL_TOKENS) url_input = URL_SAMPLE[2] print(url_input) tree, *_ = url_parser.parse(url_input) display_tree(tree) # Let us apply our `ProbabilisticGrammarMiner` class on these inputs, using the above `url_parser` parser, and obtain a probabilistic URL grammar: # In[91]: probabilistic_grammar_miner = ProbabilisticGrammarMiner(url_parser) probabilistic_url_grammar = probabilistic_grammar_miner.mine_probabilistic_grammar( URL_SAMPLE) # These are the counts we obtained during parsing: # In[92]: print(probabilistic_grammar_miner.counts()) # These counts translate into individual probabilities. We see that in our sample, most URLs use the `https:` scheme, whereas there is no input using the `ftp:` scheme. # In[93]: probabilistic_url_grammar[''] # Likewise, we see that most given URLs have multiple parameters: # In[94]: probabilistic_url_grammar[''] # When we use this probabilistic grammar for fuzzing, these distributions are reflected in our generated inputs – no `ftp:` schemes either, and most inputs have multiple parameters. # In[95]: g = ProbabilisticGrammarFuzzer(probabilistic_url_grammar) [g.fuzz() for i in range(10)] # Being able to replicate a probability distribution learned from a sample is not only important for focusing on commonly used features. It can also help in achieving _valid inputs_, in particular if one learns probabilities _in context_, as discussed above: If within a given context, some elements are more likely than others (because they depend on each other), a learned probability distribution will reflect this; and hence, inputs generated from this learned probability distribution will have a higher chance to be valid, too. We will explore this further in the [exercises](#Exercises), below. # ### Testing Uncommon Features # # So far, we have focused on _common_ features; but from a testing perspective, one may just as well test _uncommon_ features – that is, features that rarely occur in our usage samples and therefore would be less exercised in practice. This is a common scenario in security testing, where one focuses on uncommon (and possibly lesser-known) features, as fewer users means fewer bugs reported, and thus more bugs left to be found and exploited. # To have our probabilistic grammar fuzzer focus on _uncommon_ features, we _change the learned probabilities_ such that commonly occuring features (i.e., those with a high learned probability) get a low probability, and vice versa: The last shall be first, and the first last. A particularly simple way to achieve such an _inversion_ of probabilities is to _swap_ them: The alternatives with the highest and lowest probability swaps their probabilities, as so the alternatives with the second-highest and second-lowest probability, the alternatives with the third highest and lowest, and so on. # The function `invert_expansion()` takes an expansion (a list of alternatives) from a grammar and returns a new inverted expansion in which the probabilities have been swapped according to the rule above. It creates a list of indexes, sorts it by increasing probability, and then for each $n$-th element, assigns it the probability of the $n$-th last element in the indexes. # In[96]: import copy # In[97]: def invert_expansion(expansion: List[Expansion]) -> List[Expansion]: def sort_by_prob(x: Tuple[int, float]) -> float: index, prob = x return prob if prob is not None else 0.0 inverted_expansion: List[Expansion] = copy.deepcopy(expansion) indexes_and_probs = [(index, exp_prob(alternative)) for index, alternative in enumerate(expansion)] indexes_and_probs.sort(key=sort_by_prob) indexes = [i for (i, _) in indexes_and_probs] for j in range(len(indexes)): k = len(indexes) - 1 - j # print(indexes[j], "gets", indexes[k]) inverted_expansion[indexes[j]][1]['prob'] = expansion[indexes[k]][1]['prob'] # type: ignore return inverted_expansion # Here's `invert_expansion()` in action. This is our original probability distribution for URL schemes: # In[98]: probabilistic_url_grammar[''] # And this is the "inverted" distribution. We see that the `ftp:` scheme, which previously had a probability of zero, now has the highest probability, whereas the most common scheme, `https:`, now has the previous zero probability of the `ftp:` scheme. # In[99]: invert_expansion(probabilistic_url_grammar['']) # One nice feature of this swapping of probabilities is that the sum of probabilities stays unchanged; no normalization is needed. Another nice feature is that the inversion of the inversion returns the original distribution: # In[100]: invert_expansion(invert_expansion(probabilistic_url_grammar[''])) # Note that our implementation does not universally satisfy this property: If two alternatives $a_1$ and $a_2$ in the expansion share the same probability, then the second inversion may assign different probabilities to $a_1$ and $a_2$. # We can apply this inversion of expansions across the entire grammar: # In[101]: def invert_probs(grammar: Grammar) -> Grammar: inverted_grammar = extend_grammar(grammar) for symbol in grammar: inverted_grammar[symbol] = invert_expansion(grammar[symbol]) return inverted_grammar # This means that probabilities would be swapped for each and every expansion: # In[102]: probabilistic_url_grammar[""] # In[103]: inverted_probabilistic_url_grammar = invert_probs(probabilistic_url_grammar) inverted_probabilistic_url_grammar[""] # If we now use this "inverted" grammar for fuzzing, the generated inputs will focus on the *complement of the input samples*. We will get plenty of tests of user/password features, as well as `ftp:` schemes – in essence, all the features present in our language, but rarely used (if at all) in our input samples. # In[104]: g = ProbabilisticGrammarFuzzer(inverted_probabilistic_url_grammar) [g.fuzz() for i in range(10)] # Besides having _only_ common or _only_ uncommon features, one can also create mixed forms – for instance, testing uncommon features in a common context. This can be helpful for security testing, where one may want an innocuous (common) "envelope" combined with an (uncommon) "payload". It all depends on where and how we tune the probabilities. # ### Learning Probabilities from Input Slices # # In our previous examples, we have learned from _all_ inputs to generate common or uncommon inputs. However, we can also learn from a _subset_ of inputs to focus on the features present in that subset (or, conversely, to _avoid_ its features). If we know, for instance, that there is some subset of inputs that covers a functionality of interest (say, because it is particularly critical or because it has been recently changed), we can learn from this very subset and focus our test generation on its features. # To illustrate this approach, let us use the CGI grammar introduced in the [chapter on coverage](Coverage.ipynb). We have a special interest in Line 25 in our CGI decoder – that is, the line that processes a `%` character followed by two valid hexadecimal digits: # # ```python # ... # elif c == '%': # digit_high, digit_low = s[i + 1], s[i + 2] # i += 2 # if digit_high in hex_values and digit_low in hex_values: # v = hex_values[digit_high] * 16 + hex_values[digit_low] ### Line 25 # t += chr(v) # ... # # ``` # Let us assume that we do not know precisely under which conditions Line 25 is executed – but still, we'd like to test it thoroughly. With our probability learning tools, we can learn these conditions, though. We start with a set of random inputs and consider the subset that covers Line 25. # In[105]: from Coverage import Coverage, cgi_decode from Grammars import CGI_GRAMMAR # In[106]: cgi_fuzzer = GrammarFuzzer(CGI_GRAMMAR) # In[107]: trials = 100 coverage = {} for i in range(trials): cgi_input = cgi_fuzzer.fuzz() with Coverage() as cov: cgi_decode(cgi_input) coverage[cgi_input] = cov.coverage() # These are all the random inputs that cover Line 25: # In[108]: coverage_slice = [cgi_input for cgi_input in coverage if ('cgi_decode', 25) in coverage[cgi_input]] # In[109]: print(coverage_slice) # Actually, about half of the inputs cover Line 25: # In[110]: len(coverage_slice) / trials # Let us now learn a probabilistic grammar from this slice of inputs: # In[111]: probabilistic_grammar_miner = ProbabilisticGrammarMiner( EarleyParser(CGI_GRAMMAR)) probabilistic_cgi_grammar = probabilistic_grammar_miner.mine_probabilistic_grammar( coverage_slice) # In[112]: assert is_valid_probabilistic_grammar(probabilistic_cgi_grammar) # We see that percentage signs are very likely to occur: # In[113]: probabilistic_cgi_grammar[''] # Using this grammar, we can now generate tests that specifically target Line 25: # In[114]: probabilistic_cgi_fuzzer = ProbabilisticGrammarFuzzer( probabilistic_cgi_grammar) print([probabilistic_cgi_fuzzer.fuzz() for i in range(20)]) # In[115]: trials = 100 coverage = {} for i in range(trials): cgi_input = probabilistic_cgi_fuzzer.fuzz() with Coverage() as cov: cgi_decode(cgi_input) coverage[cgi_input] = cov.coverage() # We see that the fraction of inputs that cover Line 25 is much higher already, showing that our focusing works: # In[116]: coverage_slice: List[str] = [cgi_input for cgi_input in coverage if ('cgi_decode', 25) in coverage[cgi_input]] # In[117]: len(coverage_slice) / trials # Repeating this one more time yields an even higher focusing: # In[118]: for run in range(3): probabilistic_cgi_grammar = probabilistic_grammar_miner.mine_probabilistic_grammar( coverage_slice) probabilistic_cgi_fuzzer = ProbabilisticGrammarFuzzer( probabilistic_cgi_grammar) trials = 100 coverage = {} for i in range(trials): cgi_input = probabilistic_cgi_fuzzer.fuzz() with Coverage() as cov: cgi_decode(cgi_input) coverage[cgi_input] = cov.coverage() coverage_slice = [cgi_input for cgi_input in coverage if ('cgi_decode', 25) in coverage[cgi_input]] # In[119]: len(coverage_slice) / trials # By learning (and re-learning) probabilities from a subset of sample inputs, we can _specialize_ fuzzers towards the properties of that subset – in our case, inputs that contain percentage signs and valid hexadecimal letters. The degree to which we can specialize things is induced by the number of variables we can control – in our case, the probabilities for the individual rules. Adding more context to the grammar, as discussed above, will increase the number of variables, and thus the amount of specialization. # A high degree of specialization, however, limits our possibilities to explore combinations that fall _outside_ the selected scope, and limit our possibilities to find bugs induced by these combinations. This trade-off is known as *exploration vs. exploitation* in machine learning – shall one try to explore as many (possibly shallow) combinations as possible, or focus (exploit) specific areas? In the end, it all depends on where the bugs are, and where we are most likely to find them. Assigning and learning probabilities allows us to control the search strategies – from the common to the uncommon to specific subsets. # ## Detecting Unnatural Numbers # # Let us close this chapter by getting back to our introductory example. We said that Benford's law allows us not only to produce, but also to detect "unnatural" lead digit distributions such as the ones produced by simple random choices. # # If we use the regular `GrammarFuzzer` class (which ignores probabilities) to generate (random) lead digits, this is the distribution we get for each leading digit: # In[120]: sample_size = 1000 random_integer_fuzzer = GrammarFuzzer( PROBABILISTIC_EXPR_GRAMMAR, start_symbol="") random_integers = [random_integer_fuzzer.fuzz() for i in range(sample_size)] # In[121]: random_counts = [random_integers.count(str(c)) for c in crange('1', '9')] random_counts # (For simplicity, we use the simple list `count()` method here rather than deploying the full-fledged `ProbabilisticGrammarMiner`.) # If we had a natural distribution of lead digits, this is what we would expect: # In[122]: expected_prob_counts = [ exp_prob( PROBABILISTIC_EXPR_GRAMMAR[""][i]) * sample_size for i in range(9)] print(expected_prob_counts) # And if we had a random distribution, we would expect an equal distribution: # In[123]: expected_random_counts = [sample_size / 9 for i in range(9)] print(expected_random_counts) # Which distribution better matches our `random_counts` lead digits? To this end, we run a $\chi^2$-test to compare the distribution we found (`random_counts`) against the "natural" lead digit distribution `expected_prob_counts` and the random distribution `expected_random_counts`. # In[124]: from scipy.stats import chisquare # type: ignore # It turns out that there is a zero chance (`pvalue` = 0.0) that the observed distribution follows a "natural" distribution: # In[125]: chisquare(random_counts, expected_prob_counts) # However, there is a 97% chance that the observed behavior follows a random distribution: # In[126]: chisquare(random_counts, expected_random_counts) # Hence, if you find some numbers published and doubt their validity, you can run the above test to check whether they are likely to be natural. Better yet, insist that authors use Jupyter notebooks to produce their results, such that you can check every step of the calculation :-) # ## Synopsis # # A _probabilistic_ grammar allows attaching individual _probabilities_ to production rules. To set the probability of an individual expansion `S` to the value `X` (between 0 and 1), replace it with a pair # # ```python # (S, opts(prob=X)) # ``` # # If we want to ensure that 90% of phone numbers generated have an area code starting with `9`, we can write: # In[127]: from Grammars import US_PHONE_GRAMMAR, extend_grammar, opts # In[128]: PROBABILISTIC_US_PHONE_GRAMMAR: Grammar = extend_grammar(US_PHONE_GRAMMAR, { "": [ "2", "3", "4", "5", "6", "7", "8", ("9", opts(prob=0.9)) ], }) # A `ProbabilisticGrammarFuzzer` will extract and interpret these options. Here is an example: # In[129]: probabilistic_us_phone_fuzzer = ProbabilisticGrammarFuzzer(PROBABILISTIC_US_PHONE_GRAMMAR) [probabilistic_us_phone_fuzzer.fuzz() for i in range(5)] # As you can see, the large majority of area codes now starts with `9`. # In[130]: # ignore from ClassDiagram import display_class_hierarchy # In[131]: # ignore display_class_hierarchy([ProbabilisticGrammarFuzzer], public_methods=[ Fuzzer.run, Fuzzer.runs, GrammarFuzzer.__init__, GrammarFuzzer.fuzz, GrammarFuzzer.fuzz_tree, ProbabilisticGrammarFuzzer.__init__, ], types={ 'DerivationTree': DerivationTree, 'Expansion': Expansion, 'Grammar': Grammar }, project='fuzzingbook') # ## Lessons Learned # # * By specifying probabilities, one can steer fuzzing towards input features of interest. # * Learning probabilities from samples allows one to focus on features that are common or uncommon in input samples. # * Learning probabilities from a subset of samples allows one to produce more similar inputs. # ## Next Steps # # Now that we have brought together probabilities and grammars (and revisited parsers and grammars), we have created a foundation for many applications. Our next chapters will focus on # # * how to [_reduce_ failing inputs to a minimum](Reducer.ipynb) # * how to [carve](Carver.ipynb) and [produce](APIFuzzer.ipynb) tests at the function level # * how to [automatically test (Web) user interfaces](WebFuzzer.ipynb) # # Enjoy! # ## Background # # The idea of mining probabilities by parsing a corpus of data was first covered in "Learning to Fuzz: Application-Independent Fuzz Testing with Probabilistic, Generative Models of Input Data" \cite{Patra2016} which also learns and applies probabilistic rules for derivation trees. Applying this idea on probabilistic grammars as well as inverting probabilities or learning from slices was first executed in the work "Inputs from Hell: Generating Uncommon Inputs from Common Samples" \cite{Pavese2018}. # # Our exposition of Benford's law follows [this article](https://brilliant.org/wiki/benfords-law/). # ## Exercises # # ### Exercise 1: Probabilistic Fuzzing with Coverage # # Create a class `ProbabilisticGrammarCoverageFuzzer` that extends `GrammarCoverageFuzzer` with probabilistic capabilities. The idea is to first cover all uncovered expansions (like `GrammarCoverageFuzzer`) and once all expansions are covered, to proceed by probabilities (like `ProbabilisticGrammarFuzzer`). # # To this end, define new instances of the `choose_covered_node_expansion()` and `choose_uncovered_node_expansion()` methods that choose an expansion based on the given weights. # If you are an advanced programmer, realize the class via *multiple inheritance* from `GrammarCoverageFuzzer` and `ProbabilisticGrammarFuzzer` to achieve this. # # Multiple inheritance is a tricky thing. If you have two classes $A'$ and $A''$ which both inherit from $A$, the same method $m()$ of $A$ may be overloaded in both $A'$ and $A''$. If one now inherits from _both_ $A'$ and $A''$, and calls $m()$, which of the $m()$ implementations should be called? Python "resolves" this conflict by simply invoking the one $m()$ method in the class one inherits from first. # # To avoid such conflicts, one can check whether the order in which one inherits makes a difference. The method `inheritance_conflicts()` compares the attributes with each other; if they refer to different code, you have to resolve the conflict. # In[132]: from bookutils import inheritance_conflicts # In[133]: inheritance_conflicts(GrammarCoverageFuzzer, ProbabilisticGrammarFuzzer) # This is a method you _have_ to implement for multiple inheritance besides `choose_covered_node_expansion()` and `choose_uncovered_node_expansion()`. # **Solution**. With multiple inheritance, this is fairly easy; we just need to point the three methods to the right places: # In[134]: class ProbabilisticGrammarCoverageFuzzer( GrammarCoverageFuzzer, ProbabilisticGrammarFuzzer): # Choose uncovered expansions first def choose_node_expansion(self, node, children_alternatives): return GrammarCoverageFuzzer.choose_node_expansion( self, node, children_alternatives) # Among uncovered expansions, pick by (relative) probability def choose_uncovered_node_expansion(self, node, children_alternatives): return ProbabilisticGrammarFuzzer.choose_node_expansion( self, node, children_alternatives) # For covered nodes, pick by probability, too def choose_covered_node_expansion(self, node, children_alternatives): return ProbabilisticGrammarFuzzer.choose_node_expansion( self, node, children_alternatives) # In the first nine invocations, our fuzzer covers one digit after another: # In[135]: cov_leaddigit_fuzzer = ProbabilisticGrammarCoverageFuzzer( PROBABILISTIC_EXPR_GRAMMAR, start_symbol="") print([cov_leaddigit_fuzzer.fuzz() for i in range(9)]) # After these, we again proceed by probabilities: # In[136]: trials = 10000 count = {} for c in crange('0', '9'): count[c] = 0 for i in range(trials): count[cov_leaddigit_fuzzer.fuzz()] += 1 print([(digit, count[digit] / trials) for digit in count]) # ### Exercise 2: Learning from Past Bugs # # Learning from a set of inputs can be extremely valuable if one learns from _inputs that are known to have caused failures before._ In this exercise, you will go and learn distributions from past vulnerabilities. # # 1. Download [`js-vuln-db`](https://github.com/tunz/js-vuln-db), a set of JavaScript engine vulnerabilities. Each vulnerability comes with code that exercises it. # 2. Extract all _number literals_ from the code, using `re.findall()` with appropriate regular expressions. # 3. Convert these literals to (decimal) _numeric values_ and count their respective occurrences. # 4. Create a grammar `RISKY_NUMBERS` that produces these numbers with probabilities reflecting the above counts. # # Of course, there is more to vulnerabilities than just a specific numbers, but some numbers are more likely to induce errors than others. The next time you fuzz a system, do not generate numbers randomly; instead, pick one from `RISKY_NUMBERS` :-) # **Solution.** _Solution for the exercise_